annotator_ui.js
105 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
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
// -*- Mode: JavaScript; tab-width: 2; indent-tabs-mode: nil; -*-
// vim:set ft=javascript ts=2 sw=2 sts=2 cindent:
var AnnotatorUI = (function($, window, undefined) {
var AnnotatorUI = function(dispatcher, svg) {
var that = this;
var arcDragOrigin = null;
var arcDragOriginBox = null;
var arcDragOriginGroup = null;
var arcDragArc = null;
var arcDragJustStarted = false;
var sourceData = null;
var data = null;
var searchConfig = null;
var spanOptions = null;
var rapidSpanOptions = null;
var arcOptions = null;
var spanKeymap = null;
var keymap = null;
var coll = null;
var doc = null;
var reselectedSpan = null;
var selectedFragment = null;
var editedSpan = null;
var editedFragment = null;
var repeatingArcTypes = [];
var spanTypes = null;
var entityAttributeTypes = null;
var eventAttributeTypes = null;
var allAttributeTypes = null; // TODO: temp workaround, remove
var relationTypesHash = null;
var showValidAttributes; // callback function
var showValidNormalizations; // callback function
var dragStartedAt = null;
var selRect = null;
var lastStartRec = null;
var lastEndRec = null;
var draggedArcHeight = 30;
var spanTypesToShowBeforeCollapse = 30;
var maxNormSearchHistory = 10;
// TODO: this is an ugly hack, remove (see comment with assignment)
var lastRapidAnnotationEvent = null;
// TODO: another avoidable global; try to work without
var rapidAnnotationDialogVisible = false;
// amount by which to lighten (adjust "L" in HSL space) span
// colors for type selection box BG display. 0=no lightening,
// 1=white BG (no color)
var spanBoxTextBgColorLighten = 0.4;
// for double-click selection simulation hack
var lastDoubleClickedChunkId = null;
// for normalization: URLs bases by norm DB name
var normDbUrlByDbName = {};
var normDbUrlBaseByDbName = {};
// for normalization: appropriate DBs per type
var normDbsByType = {};
// for normalization
var oldSpanNormIdValue = '';
var lastNormSearches = [];
that.user = null;
var svgElement = $(svg._svg);
var svgId = svgElement.parent().attr('id');
var arcTargets;
var arcTargetRects;
var stripNumericSuffix = function(s) {
// utility function, originally for stripping numerix suffixes
// from arc types (e.g. "Theme2" -> "Theme"). For values
// without suffixes (including non-strings), returns given value.
if (typeof(s) != "string") {
return s; // can't strip
}
var m = s.match(/^(.*?)(\d*)$/);
return m[1]; // always matches
}
var hideForm = function() {
keymap = null;
rapidAnnotationDialogVisible = false;
};
var clearSelection = function() {
window.getSelection().removeAllRanges();
if (selRect != null) {
for(var s=0; s != selRect.length; s++) {
selRect[s].parentNode.removeChild(selRect[s]);
}
selRect = null;
lastStartRec = null;
lastEndRec = null;
}
};
var makeSelRect = function(rx, ry, rw, rh, col) {
var selRect = document.createElementNS("http://www.w3.org/2000/svg", "rect");
selRect.setAttributeNS(null, "width", rw);
selRect.setAttributeNS(null, "height", rh);
selRect.setAttributeNS(null, "x", rx);
selRect.setAttributeNS(null, "y", ry);
selRect.setAttributeNS(null, "fill", col == undefined ? "lightblue" : col);
return selRect;
};
var onKeyDown = function(evt) {
var code = evt.which;
if (code === $.ui.keyCode.ESCAPE) {
stopArcDrag();
if (reselectedSpan) {
$(reselectedSpan.rect).removeClass('reselect');
reselectedSpan = null;
svgElement.removeClass('reselect');
}
return;
}
// in rapid annotation mode, prioritize the keys 0..9 for the
// ordered choices in the quick annotation dialog.
if (Configuration.rapidModeOn && rapidAnnotationDialogVisible &&
"0".charCodeAt() <= code && code <= "9".charCodeAt()) {
var idx = String.fromCharCode(code);
var $input = $('#rapid_span_'+idx);
if ($input.length) {
$input.click();
}
}
if (!keymap) return;
// disable shortcuts when working with elements that you could
// conceivably type in
var target = evt.target;
var nodeName = target.nodeName.toLowerCase();
var nodeType = target.type && target.type.toLowerCase();
if (nodeName == 'input' && (nodeType == 'text' || nodeType == 'password')) return;
if (nodeName == 'textarea' || nodeName == 'select') return;
var prefix = '';
if (evt.altKey) {
prefix = "A-";
}
if (Util.isMac ? evt.metaKey : evt.ctrlKey) {
prefix = "C-";
}
if (evt.shiftKey) {
prefix = "S-";
}
var binding = keymap[prefix + code];
if (!binding) binding = keymap[prefix + String.fromCharCode(code)];
if (binding) {
var boundInput = $('#' + binding)[0];
if (boundInput && !boundInput.disabled) {
boundInput.click();
evt.preventDefault();
return false;
}
}
};
var onDblClick = function(evt) {
// must be logged in
if (that.user === null) return;
// must not be reselecting a span or an arc
if (reselectedSpan || arcDragOrigin) return;
var target = $(evt.target);
var id;
// do we edit an arc?
if (id = target.attr('data-arc-role')) {
// TODO
clearSelection();
var originSpanId = target.attr('data-arc-origin');
var targetSpanId = target.attr('data-arc-target');
var type = target.attr('data-arc-role');
var originSpan = data.spans[originSpanId];
var targetSpan = data.spans[targetSpanId];
arcOptions = {
action: 'createArc',
origin: originSpanId,
target: targetSpanId,
old_target: targetSpanId,
type: type,
old_type: type,
collection: coll,
'document': doc
};
var eventDescId = target.attr('data-arc-ed');
if (eventDescId) {
var eventDesc = data.eventDescs[eventDescId];
arcOptions.id = eventDescId;
if (eventDesc.equiv) {
arcOptions['left'] = eventDesc.leftSpans.join(',');
arcOptions['right'] = eventDesc.rightSpans.join(',');
}
} else {
arcOptions.id = originSpanId + "~" + type + "~" + targetSpanId;
}
$('#arc_origin').text(Util.spanDisplayForm(spanTypes, originSpan.type) + ' ("' + originSpan.text + '")');
$('#arc_target').text(Util.spanDisplayForm(spanTypes, targetSpan.type) + ' ("' + targetSpan.text + '")');
var arcId = eventDescId || [originSpanId, type, targetSpanId];
fillArcTypesAndDisplayForm(evt, originSpan.type, targetSpan.type, type, arcId);
// for precise timing, log dialog display to user.
dispatcher.post('logAction', ['arcEditSelected']);
// if not an arc, then do we edit a span?
} else if (id = target.attr('data-span-id')) {
clearSelection();
editedSpan = data.spans[id];
editedFragment = target.attr('data-fragment-id');
// XXX we went from collecting fragment offsets to copying
// them from data. Does anything break?
spanOptions = {
action: 'createSpan',
offsets: editedSpan.unsegmentedOffsets,
type: editedSpan.type,
id: id,
};
fillSpanTypesAndDisplayForm(evt, editedSpan.text, editedSpan);
// for precise timing, log annotation display to user.
dispatcher.post('logAction', ['spanEditSelected']);
}
// if not an arc or a span, is this a double-click on text?
else if (id = target.attr('data-chunk-id')) {
// remember what was clicked (this is in preparation for
// simulating double-click selection on browsers that do
// not support it.
lastDoubleClickedChunkId = id;
}
};
var startArcDrag = function(originId) {
clearSelection();
svgPosition = svgElement.offset();
svgElement.addClass('unselectable');
arcDragOrigin = originId;
arcDragOriginGroup = $(data.spans[arcDragOrigin].group);
arcDragOriginGroup.addClass('highlight');
var headFragment = data.spans[arcDragOrigin].headFragment;
var chunk = headFragment.chunk;
var fragBox = headFragment.rectBox;
arcDragOriginBox = {
x: fragBox.x + chunk.translation.x,
y: fragBox.y + chunk.row.translation.y,
height: fragBox.height,
width: fragBox.width,
center: fragBox.x + chunk.translation.x + fragBox.width / 2,
};
arcDragJustStarted = true;
};
var getValidArcTypesForDrag = function(targetId, targetType) {
var arcType = stripNumericSuffix(arcOptions && arcOptions.type);
if (!arcDragOrigin || targetId == arcDragOrigin) return null;
var originType = data.spans[arcDragOrigin].type;
var spanType = spanTypes[originType];
var result = [];
if (spanType && spanType.arcs) {
$.each(spanType.arcs, function(arcNo, arc) {
if (arcType && arcType != arc.type) return;
if ($.inArray(targetType, arc.targets) != -1) {
result.push(arc.type);
}
});
}
return result;
};
var onMouseDown = function(evt) {
dragStartedAt = evt; // XXX do we really need the whole evt?
if (!that.user || arcDragOrigin) return;
var target = $(evt.target);
var id;
// is it arc drag start?
if (id = target.attr('data-span-id')) {
arcOptions = null;
startArcDrag(id);
evt.stopPropagation();
evt.preventDefault();
return false;
}
};
var onMouseMove = function(evt) {
if (arcDragOrigin) {
if (arcDragJustStarted) {
arcDragArc.setAttribute('visibility', 'visible');
// show the possible targets
var span = data.spans[arcDragOrigin] || {};
var spanDesc = spanTypes[span.type] || {};
// separate out possible numeric suffix from type for highight
// (instead of e.g. "Theme3", need to look for "Theme")
var noNumArcType = stripNumericSuffix(arcOptions && arcOptions.type);
var targetTypes = [];
$.each(spanDesc.arcs || [], function(possibleArcNo, possibleArc) {
if ((arcOptions && possibleArc.type == noNumArcType) || !(arcOptions && arcOptions.old_target)) {
$.each(possibleArc.targets || [], function(possibleTargetNo, possibleTarget) {
targetTypes.push(possibleTarget);
});
}
});
arcTargets = [];
arcTargetRects = [];
$.each(data.spans, function(spanNo, span) {
if (span.id == arcDragOrigin) return;
if (targetTypes.indexOf(span.type) != -1) {
arcTargets.push(span.id);
$.each(span.fragments, function(fragmentNo, fragment) {
arcTargetRects.push(fragment.rect);
});
}
});
$(arcTargetRects).addClass('reselectTarget');
}
clearSelection();
var mx = evt.pageX - svgPosition.left;
var my = evt.pageY - svgPosition.top + 5; // TODO FIXME why +5?!?
var y = Math.min(arcDragOriginBox.y, my) - draggedArcHeight;
var dx = (arcDragOriginBox.center - mx) / 4;
var path = svg.createPath().
move(arcDragOriginBox.center, arcDragOriginBox.y).
curveC(arcDragOriginBox.center - dx, y,
mx + dx, y,
mx, my);
arcDragArc.setAttribute('d', path.path());
} else {
// A. Scerri FireFox chunk
// if not, then is it span selection? (ctrl key cancels)
var sel = window.getSelection();
var chunkIndexFrom = sel.anchorNode && $(sel.anchorNode.parentNode).attr('data-chunk-id');
var chunkIndexTo = sel.focusNode && $(sel.focusNode.parentNode).attr('data-chunk-id');
// fallback for firefox (at least):
// it's unclear why, but for firefox the anchor and focus
// node parents are always undefined, the the anchor and
// focus nodes themselves do (often) have the necessary
// chunk ID. However, anchor offsets are almost always
// wrong, so we'll just make a guess at what the user might
// be interested in tagging instead of using what's given.
var anchorOffset = null;
var focusOffset = null;
if (chunkIndexFrom === undefined && chunkIndexTo === undefined &&
$(sel.anchorNode).attr('data-chunk-id') &&
$(sel.focusNode).attr('data-chunk-id')) {
// Lets take the actual selection range and work with that
// Note for visual line up and more accurate positions a vertical offset of 8 and horizontal of 2 has been used!
var range = sel.getRangeAt(0);
var svgOffset = $(svg._svg).offset();
var flip = false;
var tries = 0;
// First try and match the start offset with a position, if not try it against the other end
while (tries < 2) {
var sp = svg._svg.createSVGPoint();
sp.x = (flip ? evt.pageX : dragStartedAt.pageX) - svgOffset.left;
sp.y = (flip ? evt.pageY : dragStartedAt.pageY) - (svgOffset.top + 8);
var startsAt = range.startContainer;
anchorOffset = startsAt.getCharNumAtPosition(sp);
chunkIndexFrom = startsAt && $(startsAt).attr('data-chunk-id');
if (anchorOffset != -1) {
break;
}
flip = true;
tries++;
}
// Now grab the end offset
sp.x = (flip ? dragStartedAt.pageX : evt.pageX) - svgOffset.left;
sp.y = (flip ? dragStartedAt.pageY : evt.pageY) - (svgOffset.top + 8);
var endsAt = range.endContainer;
focusOffset = endsAt.getCharNumAtPosition(sp);
// If we cannot get a start and end offset stop here
if (anchorOffset == -1 || focusOffset == -1) {
return;
}
// If we are in the same container it does the selection back to front when dragged right to left, across different containers the start is the start and the end if the end!
if(range.startContainer == range.endContainer && anchorOffset > focusOffset) {
var t = anchorOffset;
anchorOffset = focusOffset;
focusOffset = t;
flip = false;
}
chunkIndexTo = endsAt && $(endsAt).attr('data-chunk-id');
// Now take the start and end character rectangles
startRec = startsAt.getExtentOfChar(anchorOffset);
startRec.y += 2;
endRec = endsAt.getExtentOfChar(focusOffset);
endRec.y += 2;
// If nothing has changed then stop here
if (lastStartRec != null && lastStartRec.x == startRec.x && lastStartRec.y == startRec.y && lastEndRec != null && lastEndRec.x == endRec.x && lastEndRec.y == endRec.y) {
return;
}
if (selRect == null) {
var rx = startRec.x;
var ry = startRec.y;
var rw = (endRec.x + endRec.width) - startRec.x;
if (rw < 0) {
rx += rw;
rw = -rw;
}
var rh = Math.max(startRec.height, endRec.height);
selRect = new Array();
var activeSelRect = makeSelRect(rx, ry, rw, rh);
selRect.push(activeSelRect);
startsAt.parentNode.parentNode.parentNode.insertBefore(activeSelRect, startsAt.parentNode.parentNode);
} else {
if (startRec.x != lastStartRec.x && endRec.x != lastEndRec.x && (startRec.y != lastStartRec.y || endRec.y != lastEndRec.y)) {
if (startRec.y < lastStartRec.y) {
selRect[0].setAttributeNS(null, "width", lastStartRec.width);
lastEndRec = lastStartRec;
} else if (endRec.y > lastEndRec.y) {
selRect[selRect.length - 1].setAttributeNS(null, "x",
parseFloat(selRect[selRect.length - 1].getAttributeNS(null, "x"))
+ parseFloat(selRect[selRect.length - 1].getAttributeNS(null, "width"))
- lastEndRec.width);
selRect[selRect.length - 1].setAttributeNS(null, "width", 0);
lastStartRec=lastEndRec;
}
}
// Start has moved
var flip = !(startRec.x == lastStartRec.x && startRec.y == lastStartRec.y);
// If the height of the start or end changed we need to check whether
// to remove multi line highlights no longer needed if the user went back towards their start line
// and whether to create new ones if we moved to a newline
if (((endRec.y != lastEndRec.y)) || ((startRec.y != lastStartRec.y))) {
// First check if we have to remove the first highlights because we are moving towards the end on a different line
var ss = 0;
for (; ss != selRect.length; ss++) {
if (startRec.y <= parseFloat(selRect[ss].getAttributeNS(null, "y"))) {
break;
}
}
// Next check for any end highlights if we are moving towards the start on a different line
var es = selRect.length - 1;
for (; es != -1; es--) {
if (endRec.y >= parseFloat(selRect[es].getAttributeNS(null, "y"))) {
break;
}
}
// TODO put this in loops above, for efficiency the array slicing could be done separate still in single call
var trunc = false;
if (ss < selRect.length) {
for (var s2 = 0; s2 != ss; s2++) {
selRect[s2].parentNode.removeChild(selRect[s2]);
es--;
trunc = true;
}
selRect = selRect.slice(ss);
}
if (es > -1) {
for (var s2 = selRect.length - 1; s2 != es; s2--) {
selRect[s2].parentNode.removeChild(selRect[s2]);
trunc = true;
}
selRect = selRect.slice(0, es + 1);
}
// If we have truncated the highlights we need to readjust the last one
if (trunc) {
var activeSelRect = flip ? selRect[0] : selRect[selRect.length - 1];
if (flip) {
var rw = 0;
if (startRec.y == endRec.y) {
rw = (endRec.x + endRec.width) - startRec.x;
} else {
rw = (parseFloat(activeSelRect.getAttributeNS(null, "x"))
+ parseFloat(activeSelRect.getAttributeNS(null, "width")))
- startRec.x;
}
activeSelRect.setAttributeNS(null, "x", startRec.x);
activeSelRect.setAttributeNS(null, "y", startRec.y);
activeSelRect.setAttributeNS(null, "width", rw);
} else {
var rw = (endRec.x + endRec.width) - parseFloat(activeSelRect.getAttributeNS(null, "x"));
activeSelRect.setAttributeNS(null, "width", rw);
}
} else {
// We didnt truncate anything but we have moved to a new line so we need to create a new highlight
var lastSel = flip ? selRect[0] : selRect[selRect.length - 1];
var startBox = startsAt.parentNode.getBBox();
var endBox = endsAt.parentNode.getBBox();
if (flip) {
lastSel.setAttributeNS(null, "width",
(parseFloat(lastSel.getAttributeNS(null, "x"))
+ parseFloat(lastSel.getAttributeNS(null, "width")))
- endBox.x);
lastSel.setAttributeNS(null, "x", endBox.x);
} else {
lastSel.setAttributeNS(null, "width",
(startBox.x + startBox.width)
- parseFloat(lastSel.getAttributeNS(null, "x")));
}
var rx = 0;
var ry = 0;
var rw = 0;
var rh = 0;
if (flip) {
rx = startRec.x;
ry = startRec.y;
rw = $(svg._svg).width() - startRec.x;
rh = startRec.height;
} else {
rx = endBox.x;
ry = endRec.y;
rw = (endRec.x + endRec.width) - endBox.x;
rh = endRec.height;
}
var newRect = makeSelRect(rx, ry, rw, rh);
if (flip) {
selRect.unshift(newRect);
} else {
selRect.push(newRect);
}
// Place new highlight in appropriate slot in SVG graph
startsAt.parentNode.parentNode.parentNode.insertBefore(newRect, startsAt.parentNode.parentNode);
}
} else {
// The user simply moved left or right along the same line so just adjust the current highlight
var activeSelRect = flip ? selRect[0] : selRect[selRect.length - 1];
// If the start moved shift the highlight and adjust width
if (flip) {
var rw = (parseFloat(activeSelRect.getAttributeNS(null, "x"))
+ parseFloat(activeSelRect.getAttributeNS(null, "width")))
- startRec.x;
activeSelRect.setAttributeNS(null, "x", startRec.x);
activeSelRect.setAttributeNS(null, "y", startRec.y);
activeSelRect.setAttributeNS(null, "width", rw);
} else {
// If the end moved then simple change the width
var rw = (endRec.x + endRec.width)
- parseFloat(activeSelRect.getAttributeNS(null, "x"));
activeSelRect.setAttributeNS(null, "width", rw);
}
}
}
lastStartRec = startRec;
lastEndRec = endRec;
}
}
arcDragJustStarted = false;
};
var adjustToCursor = function(evt, element, centerX, centerY) {
var screenHeight = $(window).height() - 8; // TODO HACK - no idea why -8 is needed
var screenWidth = $(window).width() - 8;
var elementHeight = element.height();
var elementWidth = element.width();
var cssSettings = {};
var eLeft;
var eTop;
if (centerX) {
eLeft = evt.clientX - elementWidth/2;
} else {
eLeft = evt.clientX;
}
if (centerY) {
eTop = evt.clientY - elementHeight/2;
} else {
eTop = evt.clientY;
}
// Try to make sure the element doesn't go off-screen.
// If this isn't possible (the element is larger than the screen),
// alight top-left corner of screen and dialog as a compromise.
if (screenWidth > elementWidth) {
eLeft = Math.min(Math.max(eLeft,0), screenWidth - elementWidth);
} else {
eLeft = 0;
}
if (screenHeight > elementHeight) {
eTop = Math.min(Math.max(eTop,0), screenHeight - elementHeight);
} else {
eTop = 0;
}
element.css({ top: eTop, left: eLeft });
};
var updateCheckbox = function($input) {
var $widget = $input.button('widget');
var $textspan = $widget.find('.ui-button-text');
$textspan.html(($input[0].checked ? '☑ ' : '☐ ') + $widget.attr('data-bare'));
};
var fillSpanTypesAndDisplayForm = function(evt, spanText, span) {
keymap = spanKeymap;
// Figure out whether we should show or hide one of the two
// main halves of the selection frame (entities / events).
// This depends on the type of the current span, if any, and
// the availability of types to select.
var hideFrame;
if (span) {
// existing span; only show relevant half
if (span.generalType == 'entity') {
hideFrame = 'event';
} else {
hideFrame = 'entity';
}
spanForm.dialog('option', { title: 'Edit Annotation' });
} else {
// new span; show everything that's available
if ($('#event_types').find('input').length == 0) {
hideFrame = 'event';
} else if ($('#entity_types').find('input').length == 0) {
hideFrame = 'entity';
} else {
hideFrame = 'none';
}
spanForm.dialog('option', { title: 'New Annotation' });
}
if (hideFrame == 'event') {
$('#span_event_section').hide()
$('#span_entity_section').show().
removeClass('wrapper_half_left').
addClass('wrapper_full_width');
} else if (hideFrame == 'entity') {
$('#span_entity_section').hide()
$('#span_event_section').show().
removeClass('wrapper_half_right').
addClass('wrapper_full_width');
} else {
// show both entity and event halves
$('#span_entity_section').show().
removeClass('wrapper_full_width').
addClass('wrapper_half_left');
$('#span_event_section').show().
removeClass('wrapper_full_width').
addClass('wrapper_half_right');
}
// only show "delete" button if there's an existing annotation to delete
if (span) {
$('#del_span_button').show();
} else {
$('#del_span_button').hide();
}
$('#span_selected').text(spanText);
var encodedText = encodeURIComponent(spanText);
$.each(searchConfig, function(searchNo, search) {
$('#span_'+search[0]).attr('href', search[1].replace('%s', encodedText));
});
// enable all inputs by default (see setSpanTypeSelectability)
$('#span_form input:not([unused])').removeAttr('disabled');
// close span types if there's over spanTypesToShowBeforeCollapse
if ($('#entity_types .item').length > spanTypesToShowBeforeCollapse) {
$('#entity_types .open').removeClass('open');
}
if ($('#event_types .item').length > spanTypesToShowBeforeCollapse) {
$('#event_types .open').removeClass('open');
}
var showAllAttributes = false;
if (span) {
var linkHash = new URLHash(coll, doc, { focus: [[span.id]] }).getHash();
var el = $('#span_' + span.type);
if (el.length) {
el[0].checked = true;
} else {
$('#span_form input:radio:checked').each(function (radioNo, radio) {
radio.checked = false;
});
}
// open the span type
$('#span_' + span.type).parents('.collapsible').each(function() {
toggleCollapsible($(this).parent().prev(), true);
});
// count the repeating arc types
var arcTypeCount = {};
repeatingArcTypes = [];
$.each(span.outgoing, function(arcNo, arc) {
// parse out possible number suffixes to allow e.g. splitting
// on "Theme" for args ("Theme1", "Theme2").
var splitArcType = arc.type.match(/^(.*?)(\d*)$/);
var noNumArcType = splitArcType[1];
if ((arcTypeCount[noNumArcType] = (arcTypeCount[noNumArcType] || 0) + 1) == 2) {
repeatingArcTypes.push(noNumArcType);
}
});
if (repeatingArcTypes.length) {
$('#span_form_split').show();
} else {
$('#span_form_split').hide();
}
} else {
var offsets = spanOptions.offsets[0];
var linkHash = new URLHash(coll, doc, { focus: [[offsets[0], offsets[1]]] }).getHash();
var firstRadio = $('#span_form input:radio:not([unused]):first')[0];
if (firstRadio) {
firstRadio.checked = true;
} else {
dispatcher.post('hideForm');
dispatcher.post('messages', [[['No valid span types defined', 'error']]]);
return;
}
$('#span_form_split').hide();
$('#span_notes').val('');
showAllAttributes = true;
}
$('#span_highlight_link').attr('href', linkHash);
if (span && !reselectedSpan) {
$('#span_form_reselect, #span_form_delete, #span_form_add_fragment').show();
keymap[$.ui.keyCode.DELETE] = 'span_form_delete';
keymap[$.ui.keyCode.INSERT] = 'span_form_reselect';
keymap['S-' + $.ui.keyCode.ENTER] = 'span_form_add_fragment';
$('#span_notes').val(span.annotatorNotes || '');
} else {
$('#span_form_reselect, #span_form_delete, #span_form_add_fragment').hide();
keymap[$.ui.keyCode.DELETE] = null;
keymap[$.ui.keyCode.INSERT] = null;
keymap['S-' + $.ui.keyCode.ENTER] = null;
}
if (span && !reselectedSpan && span.offsets.length > 1) {
$('#span_form_reselect_fragment, #span_form_delete_fragment').show();
keymap['S-' + $.ui.keyCode.DELETE] = 'span_form_delete_fragment';
keymap['S-' + $.ui.keyCode.INSERT] = 'span_form_reselect_fragment';
} else {
$('#span_form_reselect_fragment, #span_form_delete_fragment').hide();
keymap['S-' + $.ui.keyCode.DELETE] = null;
keymap['S-' + $.ui.keyCode.INSERT] = null;
}
// TODO: lots of redundancy in the next two blocks, clean up
if (!span) {
// no existing annotation, reset attributes
var attrCategoryAndTypes = [['entity', entityAttributeTypes],
['event', eventAttributeTypes]];
$.each(attrCategoryAndTypes, function(ctNo, ct) {
var category = ct[0];
var attributeTypes = ct[1];
$.each(attributeTypes, function(attrNo, attr) {
$input = $('#'+category+'_attr_'+Util.escapeQuotes(attr.type));
if (attr.unused) {
$input.val('');
} else if (attr.default) {
if (attr.bool) {
// take any non-empty default value as "true"
$input[0].checked = true;
updateCheckbox($input);
$input.button('refresh');
} else {
$input.val(attr.default).change();
}
} else if (attr.bool) {
$input[0].checked = false;
updateCheckbox($input);
$input.button('refresh');
} else {
$input.val('').change();
}
});
});
} else if (!reselectedSpan) {
// existing annotation, fill attribute values from span
var attributeTypes;
var category;
if (span.generalType == 'entity') {
attributeTypes = entityAttributeTypes;
category = 'entity';
} else if (span.generalType == 'trigger') {
attributeTypes = eventAttributeTypes;
// TODO: unify category/generalType values ('trigger' vs. 'event')
category = 'event';
} else {
console.error('Unrecognized generalType:', span.generalType);
}
$.each(attributeTypes, function(attrNo, attr) {
$input = $('#'+category+'_attr_'+Util.escapeQuotes(attr.type));
var val = span.attributes[attr.type];
if (attr.unused) {
$input.val(val || '');
} else if (attr.bool) {
$input[0].checked = val;
updateCheckbox($input);
$input.button('refresh');
} else {
$input.val(val || '').change();
}
});
}
var showValidNormalizationsFor = function(type) {
// set DB selector to the first appropriate for the type.
// TODO: actually disable inappropriate ones.
// TODO: support specific IDs, not just DB specifiers
var firstDb = type && normDbsByType[type] ? normDbsByType[type][0] : null;
if (firstDb) {
$('#span_norm_db').val(firstDb);
}
}
showValidNormalizations = function() {
// set norm DB selector according to the first selected type
var firstSelected = $('#entity_and_event_wrapper input:radio:checked')[0];
var selectedType = firstSelected ? firstSelected.value : null;
showValidNormalizationsFor(selectedType);
}
// fill normalizations (if any)
if (!reselectedSpan) {
// clear first
clearNormalizationUI();
var $normDb = $('#span_norm_db');
var $normId = $('#span_norm_id');
var $normText = $('#span_norm_txt');
// fill if found (NOTE: only shows last on multiple)
var normFilled = false;
$.each(span ? span.normalizations : [], function(normNo, norm) {
var refDb = norm[0], refId = norm[1], refText = norm[2];
$normDb.val(refDb);
// could the DB selector be set? (i.e. is refDb configured?)
if ($normDb.val() == refDb) {
// DB is OK, set the rest also
$normId.val(refId);
oldSpanNormIdValue = refId;
$normText.val(refText);
// TODO: check if ID is valid
$normId.addClass('valid_value')
normFilled = true;
} else {
// can't set the DB selector; assume DB is not configured,
// warn and leave blank (will remove norm when dialog is OK'd)
dispatcher.post('messages', [[['Warning: '+refDb+' not configured, removing normalization.', 'warning']]]);
}
});
// if there is no existing normalization, show valid ones
if (!normFilled) {
showValidNormalizations();
}
// update links
updateNormalizationRefLink();
updateNormalizationDbLink();
}
var showAttributesFor = function(attrTypes, category, type) {
var validAttrs = type ? spanTypes[type].attributes : [];
var shownCount = 0;
$.each(attrTypes, function(attrNo, attr) {
var $input = $('#'+category+'_attr_'+Util.escapeQuotes(attr.type));
var showAttr = showAllAttributes || $.inArray(attr.type, validAttrs) != -1;
if (showAttr) {
$input.button('widget').show();
shownCount++;
} else {
$input.button('widget').hide();
}
});
return shownCount;
}
showValidAttributes = function() {
var type = $('#span_form input:radio:checked').val();
var entityAttrCount = showAttributesFor(entityAttributeTypes, 'entity', type);
var eventAttrCount = showAttributesFor(eventAttributeTypes, 'event', type);
showAllAttributes = false;
// show attribute frames only if at least one attribute is
// shown, and set size classes appropriately
if (eventAttrCount > 0) {
$('#event_attributes').show();
$('#event_attribute_label').show();
$('#event_types').
removeClass('scroll_wrapper_full').
addClass('scroll_wrapper_upper');
} else {
$('#event_attributes').hide();
$('#event_attribute_label').hide();
$('#event_types').
removeClass('scroll_wrapper_upper').
addClass('scroll_wrapper_full');
}
if (entityAttrCount > 0) {
$('#entity_attributes').show();
$('#entity_attribute_label').show();
$('#entity_types').
removeClass('scroll_wrapper_full').
addClass('scroll_wrapper_upper');
} else {
$('#entity_attributes').hide();
$('#entity_attribute_label').hide();
$('#entity_types').
removeClass('scroll_wrapper_upper').
addClass('scroll_wrapper_full');
}
}
showValidAttributes();
// TODO XXX: if seemed quite unexpected/unintuitive that the
// form was re-displayed while the document still shows the
// annotation in its old location in the background (check it).
// The fix of skipping confirm is not really good either, though.
if (reselectedSpan) { // && !Configuration.confirmModeOn) {
submitReselect();
} else {
dispatcher.post('showForm', [spanForm, true]);
$('#span_form-ok').focus();
adjustToCursor(evt, spanForm.parent());
}
};
var submitReselect = function() {
$(reselectedSpan.rect).removeClass('reselect');
reselectedSpan = null;
spanForm.submit();
};
var rapidFillSpanTypesAndDisplayForm = function(start, end, text, types) {
// variant of fillSpanTypesAndDisplayForm for rapid annotation mode
keymap = spanKeymap;
$('#rapid_span_selected').text(text);
// fill types
var $spanTypeDiv = $('#rapid_span_types_div');
// remove previously filled, if any
$spanTypeDiv.empty();
$.each(types, function(typeNo, typeAndProb) {
// TODO: this duplicates a part of addSpanTypesToDivInner, unify
var type = typeAndProb[0];
var prob = typeAndProb[1];
var $numlabel = $('<span class="accesskey">'+(typeNo+1)+'</span><span>:</span>');
var $input = $('<input type="radio" name="rapid_span_type"/>').
attr('id', 'rapid_span_' + (typeNo+1)).
attr('value', type);
var spanBgColor = spanTypes[type] && spanTypes[type].bgColor || '#ffffff';
spanBgColor = Util.adjustColorLightness(spanBgColor, spanBoxTextBgColorLighten);
// use preferred label instead of type name if available
var name = spanTypes[type] && spanTypes[type].name || type;
var $label = $('<label class="span_type_label"/>').
attr('for', 'rapid_span_' + (typeNo+1)).
text(name+' (' + (100.0 * prob).toFixed(1) + '%)');
$label.css('background-color', spanBgColor);
// TODO: check for unnecessary extra wrapping here
var $content = $('<div class="item_content"/>').
append($numlabel).
append($input).
append($label);
$spanTypeDiv.append($content);
// highlight configured hotkey (if any) in text.
// NOTE: this bit doesn't actually set up the hotkey.
var hotkeyType = 'span_' + type;
// TODO: this is clumsy; there should be a better way
var typeHotkey = null;
$.each(keymap, function(key, keyType) {
if (keyType == hotkeyType) {
typeHotkey = key;
return false;
}
});
if (typeHotkey) {
var name = $label.html();
var replace = true;
name = name.replace(new RegExp("(&[^;]*?)?(" + typeHotkey + ")", 'gi'),
function(all, entity, letter) {
if (replace && !entity) {
replace = false;
var hotkey = typeHotkey.toLowerCase() == letter
? typeHotkey.toLowerCase()
: typeHotkey.toUpperCase();
return '<span class="accesskey">' + Util.escapeHTML(hotkey) + '</span>';
}
return all;
});
$label.html(name);
}
// Limit the number of suggestions to the number of numeric keys
if (typeNo >= 8) {
return false;
}
});
// fill in some space and the special "Other" option, with key "0" (zero)
$spanTypeDiv.append($('<div class="item_content"> </div>')); // non-breaking space
var $numlabel = $('<span class="accesskey">0</span><span>:</span>');
var $input = $('<input type="radio" name="rapid_span_type" id="rapid_span_0" value=""/>');
var $label = $('<label class="span_type_label" for="rapid_span_0" style="background-color:lightgray">Other...</label>');
var $content = $('<div class="item_content"/>').
append($numlabel).
append($input).
append($label);
$spanTypeDiv.append($content);
// set up click event handlers
rapidSpanForm.find('#rapid_span_types input:radio').click(rapidSpanFormSubmitRadio);
var firstRadio = $('#rapid_span_form input:radio:first')[0];
if (firstRadio) {
firstRadio.checked = true;
} else {
dispatcher.post('hideForm');
dispatcher.post('messages', [[['No valid span types defined', 'error']]]);
return;
}
dispatcher.post('showForm', [rapidSpanForm]);
rapidAnnotationDialogVisible = true;
$('#rapid_span_form-ok').focus();
// TODO: avoid using global for stored click event
// adjustToCursor(lastRapidAnnotationEvent, rapidSpanForm.parent(),
// true, true);
// TODO: avoid coordinate hack to position roughly at first
// available selection
lastRapidAnnotationEvent.clientX -= 55;
lastRapidAnnotationEvent.clientY -= 115;
adjustToCursor(lastRapidAnnotationEvent, rapidSpanForm.parent(),
false, false);
};
var clearSpanNotes = function(evt) {
$('#span_notes').val('');
}
$('#clear_notes_button').button();
$('#clear_notes_button').click(clearSpanNotes);
var clearSpanNorm = function(evt) {
clearNormalizationUI();
}
$('#clear_norm_button').button();
$('#clear_norm_button').click(clearSpanNorm);
// invoked on response to ajax request for id lookup
var setSpanNormText = function(response) {
if (response.exception) {
// TODO: better response to failure
dispatcher.post('messages', [[['Lookup error', 'warning', -1]]]);
return false;
}
// set input style according to whether we have a valid value
var $idinput = $('#span_norm_id');
// TODO: make sure the key echo in the response matches the
// current value of the $idinput
$idinput.removeClass('valid_value').removeClass('invalid_value');
if (response.value === null) {
$idinput.addClass('invalid_value');
hideNormalizationRefLink();
} else {
$idinput.addClass('valid_value');
updateNormalizationRefLink();
}
$('#span_norm_txt').val(response.value);
}
// on any change to the normalization DB, clear everything and
// update link
var spanNormDbUpdate = function(evt) {
clearNormalizationUI();
updateNormalizationDbLink();
}
$('#span_norm_db').change(spanNormDbUpdate);
// on any change to the normalization ID, update the text of the
// reference
var spanNormIdUpdate = function(evt) {
var key = $(this).val();
var db = $('#span_norm_db').val();
if (key != oldSpanNormIdValue) {
if (key.match(/^\s*$/)) {
// don't query empties, just clear instead
clearNormalizationUI();
} else {
dispatcher.post('ajax', [ {
action: 'normGetName',
database: db,
key: key,
collection: coll}, 'normGetNameResult']);
}
oldSpanNormIdValue = key;
}
}
// see http://stackoverflow.com/questions/1948332/detect-all-changes-to-a-input-type-text-immediately-using-jquery
$('#span_norm_id').bind('propertychange keyup input paste', spanNormIdUpdate);
// nice-looking select for normalization
$('#span_norm_db').addClass('ui-widget ui-state-default ui-button-text');
var normSearchDialog = $('#norm_search_dialog');
initForm(normSearchDialog, {
width: 800,
width: 600,
resizable: true,
alsoResize: '#norm_search_result_select',
open: function(evt) {
keymap = {};
},
close: function(evt) {
// assume that we always want to return to the span dialog
// on normalization dialog close
dispatcher.post('showForm', [spanForm, true]);
},
});
$('#norm_search_query').autocomplete({
source: function(request, callback) {
var query = $.ui.autocomplete.escapeRegex(request.term);
var pattern = new RegExp('\\b' + query, 'i');
callback($.grep(lastNormSearches, function(search) {
return pattern.test(search.value) || pattern.test(search.id);
}));
},
minLength: 0,
select: function(evt, ui) {
evt.stopPropagation();
normSubmit(ui.item.id, ui.item.value);
},
focus: function(evt, ui) {
// do nothing
},
}).data('autocomplete')._renderItem = function($ul, item) {
return $('<li></li>').
data('item.autocomplete', item).
append('<a>' + Util.escapeHTML(item.value) + '<div class="autocomplete-id">' + Util.escapeHTML(item.id) + "</div></a>").
appendTo($ul);
};
var normSubmit = function(selectedId, selectedTxt) {
// we got a value; act if it was a submit
$('#span_norm_id').val(selectedId);
// don't forget to update this reference value
oldSpanNormIdValue = selectedId;
$('#span_norm_txt').val(selectedTxt);
updateNormalizationRefLink();
// update history
var nextLastNormSearches = [
{
value: selectedTxt,
id: selectedId,
},
];
$.each(lastNormSearches, function(searchNo, search) {
if (search.id != selectedId || search.value != selectedTxt) {
nextLastNormSearches.push(search);
}
});
lastNormSearches = nextLastNormSearches;
lastNormSearches.slice(0, maxNormSearchHistory);
// Switch dialogs. NOTE: assuming we closed the spanForm when
// bringing up the normSearchDialog.
normSearchDialog.dialog('close');
};
var normSearchSubmit = function(evt) {
if (normSearchSubmittable) {
var selectedId = $('#norm_search_id').val();
var selectedTxt = $('#norm_search_query').val();
normSubmit(selectedId, selectedTxt);
} else {
performNormSearch();
}
return false;
}
var normSearchSubmittable = false;
var setNormSearchSubmit = function(enable) {
$('#norm_search_dialog-ok').button(enable ? 'enable' : 'disable');
normSearchSubmittable = enable;
};
normSearchDialog.submit(normSearchSubmit);
var chooseNormId = function(evt) {
var $element = $(evt.target).closest('tr');
$('#norm_search_result_select tr').removeClass('selected');
$element.addClass('selected');
$('#norm_search_query').val($element.attr('data-txt'));
$('#norm_search_id').val($element.attr('data-id'));
setNormSearchSubmit(true);
}
var chooseNormIdAndSubmit = function(evt) {
chooseNormId(evt);
normSearchSubmit(evt);
}
var setSpanNormSearchResults = function(response) {
if (response.exception) {
// TODO: better response to failure
dispatcher.post('messages', [[['Lookup error', 'warning', -1]]]);
return false;
}
if (response.items.length == 0) {
// no results
$('#norm_search_result_select thead').empty();
$('#norm_search_result_select tbody').empty();
dispatcher.post('messages', [[['No matches to search.', 'comment']]]);
return false;
}
// TODO: avoid code duplication with showFileBrowser()
var html = ['<tr>'];
$.each(response.header, function(headNo, head) {
html.push('<th>' + Util.escapeHTML(head[0]) + '</th>');
});
html.push('</tr>');
$('#norm_search_result_select thead').html(html.join(''));
html = [];
var len = response.header.length;
$.each(response.items, function(itemNo, item) {
// NOTE: assuming ID is always the first datum in the item
// and that the preferred text is always the second
// TODO: Util.escapeQuotes would be expected to be
// sufficient here, but that appears to give "DOM Exception
// 11" in cases (try e.g. $x.html('<p a="A&B"/>'). Why? Is
// this workaround OK?
html.push('<tr'+
' data-id="'+Util.escapeHTMLandQuotes(item[0])+'"'+
' data-txt="'+Util.escapeHTMLandQuotes(item[1])+'"'+
'>');
for (var i=0; i<len; i++) {
html.push('<td>' + Util.escapeHTML(item[i]) + '</td>');
}
html.push('</tr>');
});
$('#norm_search_result_select tbody').html(html.join(''));
$('#norm_search_result_select tbody').find('tr').
click(chooseNormId).
dblclick(chooseNormIdAndSubmit);
// TODO: sorting on click on header (see showFileBrowser())
}
var performNormSearch = function() {
var val = $('#norm_search_query').val();
var db = $('#span_norm_db').val();
dispatcher.post('ajax', [ {
action: 'normSearch',
database: db,
name: val,
collection: coll}, 'normSearchResult']);
}
$('#norm_search_button').click(performNormSearch);
$('#norm_search_query').focus(function() {
setNormSearchSubmit(false);
});
var showNormSearchDialog = function() {
// if we already have non-empty ID and normalized string,
// use these as default; otherwise take default search string
// from annotated span and clear ID entry
if (!$('#span_norm_id').val().match(/^\s*$/) &&
!$('#span_norm_txt').val().match(/^\s*$/)) {
$('#norm_search_id').val($('#span_norm_id').val());
$('#norm_search_query').val($('#span_norm_txt').val());
} else {
$('#norm_search_id').val('');
$('#norm_search_query').val($('#span_selected').text());
}
// blank the table
$('#norm_search_result_select thead').empty();
$('#norm_search_result_select tbody').empty();
// TODO: support for two (or more) dialogs open at the same time
// so we don't need to hide this before showing normSearchDialog
dispatcher.post('hideForm');
$('#norm_search_button').val('Search ' + $('#span_norm_db').val());
setNormSearchSubmit(false);
dispatcher.post('showForm', [normSearchDialog]);
$('#norm_search_query').focus().select();
}
$('#span_norm_txt').click(showNormSearchDialog);
$('#norm_search_button').button();
var arcFormSubmitRadio = function(evt) {
// TODO: check for confirm_mode?
arcFormSubmit(evt, $(evt.target));
}
var arcFormSubmit = function(evt, typeRadio) {
typeRadio = typeRadio || $('#arc_form input:radio:checked');
var type = typeRadio.val();
dispatcher.post('hideForm', [arcForm]);
arcOptions.type = type;
arcOptions.comment = $('#arc_notes').val();
dispatcher.post('ajax', [arcOptions, 'edited']);
return false;
};
var fillArcTypesAndDisplayForm = function(evt, originType, targetType, arcType, arcId) {
var noArcs = true;
keymap = {};
// separate out possible numeric suffix from type
var noNumArcType;
if (arcType) {
var splitType = arcType.match(/^(.*?)(\d*)$/);
noNumArcType = splitType[1];
}
var isEquiv =
relationTypesHash &&
relationTypesHash[noNumArcType] &&
relationTypesHash[noNumArcType].properties &&
relationTypesHash[noNumArcType].properties.symmetric &&
relationTypesHash[noNumArcType].properties.transitive;
var $scroller = $();
if (spanTypes[originType]) {
var arcTypes = spanTypes[originType].arcs;
$scroller = $('#arc_roles .scroller').empty();
// lay them out into the form
$.each(arcTypes || [], function(arcTypeNo, arcDesc) {
if (arcDesc.targets && arcDesc.targets.indexOf(targetType) != -1) {
var arcTypeName = arcDesc.type;
var isThisEquiv =
relationTypesHash &&
relationTypesHash[arcTypeName] &&
relationTypesHash[arcTypeName].properties &&
relationTypesHash[arcTypeName].properties.symmetric &&
relationTypesHash[arcTypeName].properties.transitive;
// do not allow equiv<->non-equiv change options
if (arcType && isEquiv != isThisEquiv) return;
var displayName = ((arcDesc.labels && arcDesc.labels[0]) ||
arcTypeName);
var $checkbox = $('<input id="arc_' + arcTypeName + '" type="radio" name="arc_type" value="' + arcTypeName + '"/>');
var $label = $('<label class="arc_type_label" for="arc_' + arcTypeName + '"/>').text(displayName);
var $div = $('<div/>').append($checkbox).append($label);
$scroller.append($div);
if (arcDesc.hotkey) {
keymap[arcDesc.hotkey] = '#arc_' + arcTypeName;
var name = $label.html();
var replace = true;
name = name.replace(new RegExp("(&[^;]*?)?(" + arcDesc.hotkey + ")", 'gi'),
function(all, entity, letter) {
if (replace && !entity) {
replace = false;
var hotkey = arcDesc.hotkey.toLowerCase() == letter
? arcDesc.hotkey.toLowerCase()
: arcDesc.hotkey.toUpperCase();
return '<span class="accesskey">' + Util.escapeHTML(hotkey) + '</span>';
}
return all;
});
$label.html(name);
}
noArcs = false;
}
});
}
if (noArcs) {
if (arcId) {
// let the user delete or whatever, even on bad config
// (note that what's shown to the user is w/o possible num suffix)
var $checkbox = $('<input id="arc_' + arcType + '" type="hidden" name="arc_type" value="' + noNumArcType + '"/>');
$scroller.append($checkbox);
} else {
// can't make a new arc
dispatcher.post('messages',
[[["No choices for " +
Util.spanDisplayForm(spanTypes, originType) +
" -> " +
Util.spanDisplayForm(spanTypes, targetType),
'warning']]]);
return;
}
}
var reversalPossible = false;
if (arcId) {
// something was selected
var focus = arcId instanceof Array ? arcId : [arcId];
var hash = new URLHash(coll, doc, { focus: [focus] }).getHash();
$('#arc_highlight_link').attr('href', hash).show(); // TODO incorrect
var el = $('#arc_' + arcType)[0];
if (el) {
el.checked = true;
} else {
// try w/o numeric suffix
el = $('#arc_' + noNumArcType)[0];
if (el) {
el.checked = true;
}
}
$('#arc_form_reselect, #arc_form_delete').show();
keymap[$.ui.keyCode.DELETE] = 'arc_form_delete';
keymap[$.ui.keyCode.INSERT] = 'arc_form_reselect';
var backTargetType = spanTypes[targetType];
if (backTargetType) {
$.each(backTargetType.arcs || [], function(backArcTypeNo, backArcDesc) {
if ($.inArray(originType, backArcDesc.targets || []) != -1) {
var relType = relationTypesHash[backArcDesc.type];
reversalPossible = !(relType && relType.properties.symmetric);
return false; // terminate the loop
}
});
}
arcForm.dialog('option', { title: 'Edit Annotation' });
} else {
// new arc
$('#arc_highlight_link').hide();
el = $('#arc_form input:radio:first')[0];
if (el) {
el.checked = true;
}
$('#arc_form_reselect, #arc_form_delete, #arc_form_reverse').hide();
arcForm.dialog('option', { title: 'New Annotation' });
}
if (reversalPossible) {
$('#arc_form_reverse').show();
keymap['S-' + $.ui.keyCode.INSERT] = 'arc_form_reverse';
} else {
$('#arc_form_reverse').hide();
}
if (!Configuration.confirmModeOn) {
arcForm.find('#arc_roles input:radio').click(arcFormSubmitRadio);
}
var arcAnnotatorNotes;
var isBinaryRelation = arcId && !(arcId instanceof Array);
if (isBinaryRelation) {
// only for relation arcs
var ed = data.eventDescs[arcId];
arcAnnotatorNotes = ed && ed.annotatorNotes;
}
if (arcAnnotatorNotes) {
$('#arc_notes').val(arcAnnotatorNotes);
} else {
$('#arc_notes').val('');
}
// disable notes for arc types that don't support storage (#945)
if(!isBinaryRelation || isEquiv) {
// disable the actual input
$('#arc_notes').attr('disabled', 'disabled');
// add to fieldset for style
$('#arc_notes_fieldset').attr('disabled', 'disabled');
} else {
$('#arc_notes').removeAttr('disabled')
$('#arc_notes_fieldset').removeAttr('disabled')
}
dispatcher.post('showForm', [arcForm]);
$('#arc_form-ok').focus();
adjustToCursor(evt, arcForm.parent());
};
var reverseArc = function(evt) {
var eventDataId = $(evt.target).attr('data-arc-ed');
dispatcher.post('hideForm');
arcOptions.action = 'reverseArc';
delete arcOptions.old_target;
delete arcOptions.old_type;
dispatcher.post('ajax', [arcOptions, 'edited']);
};
var deleteArc = function(evt) {
if (Configuration.confirmModeOn && !confirm("Are you sure you want to delete this annotation?")) {
return;
}
var eventDataId = $(evt.target).attr('data-arc-ed');
dispatcher.post('hideForm');
arcOptions.action = 'deleteArc';
dispatcher.post('ajax', [arcOptions, 'edited']);
};
var reselectArc = function(evt) {
dispatcher.post('hideForm');
svgElement.addClass('reselect');
$('g[data-from="' + arcOptions.origin + '"][data-to="' + arcOptions.target + '"]').addClass('reselect');
startArcDrag(arcOptions.origin);
};
var arcForm = $('#arc_form');
dispatcher.post('initForm', [arcForm, {
width: 500,
buttons: [{
id: 'arc_form_reverse',
text: "Reverse",
click: reverseArc
}, {
id: 'arc_form_delete',
text: "Delete",
click: deleteArc
}, {
id: 'arc_form_reselect',
text: 'Reselect',
click: reselectArc
}],
alsoResize: '#arc_roles',
close: function(evt) {
keymap = null;
}
}]);
arcForm.submit(arcFormSubmit);
// set button tooltips (@amadanmath: can this be done in init?)
$('#arc_form_reselect').attr('title', 'Re-select the annotation this connects into.');
$('#arc_form_delete').attr('title', 'Delete this annotation.');
var stopArcDrag = function(target) {
if (arcDragOrigin) {
if (!target) {
target = $('.badTarget');
}
target.removeClass('badTarget');
arcDragOriginGroup.removeClass('highlight');
if (target) {
target.parent().removeClass('highlight');
}
arcDragArc.setAttribute('visibility', 'hidden');
arcDragOrigin = null;
if (arcOptions) {
$('g[data-from="' + arcOptions.origin + '"][data-to="' + arcOptions.target + '"]').removeClass('reselect');
}
svgElement.removeClass('reselect');
$(arcTargetRects).removeClass('reselectTarget');
arcTargets = [];
arcTargetRects = [];
}
svgElement.removeClass('unselectable');
};
var onMouseUp = function(evt) {
if (that.user === null) return;
var target = $(evt.target);
// three things that are clickable in SVG
var targetSpanId = target.data('span-id');
var targetChunkId = target.data('chunk-id');
var targetArcRole = target.data('arc-role');
if (!(targetSpanId !== undefined || targetChunkId !== undefined || targetArcRole !== undefined)) {
// misclick
clearSelection();
stopArcDrag(target);
return;
}
if (arcDragJustStarted && (Util.isMac ? evt.metaKey : evt.ctrlKey)) {
// is it arc drag start (with ctrl or alt)? do nothing special
} else if (arcDragOrigin) {
// is it arc drag end?
var origin = arcDragOrigin;
var id = target.attr('data-span-id');
var targetValid = arcTargets.indexOf(id) != -1;
stopArcDrag(target);
if (id && origin != id && targetValid) {
var originSpan = data.spans[origin];
var targetSpan = data.spans[id];
if (arcOptions && arcOptions.old_target) {
arcOptions.target = targetSpan.id;
dispatcher.post('ajax', [arcOptions, 'edited']);
} else {
arcOptions = {
action: 'createArc',
origin: originSpan.id,
target: targetSpan.id,
collection: coll,
'document': doc
};
$('#arc_origin').text(Util.spanDisplayForm(spanTypes, originSpan.type)+' ("'+originSpan.text+'")');
$('#arc_target').text(Util.spanDisplayForm(spanTypes, targetSpan.type)+' ("'+targetSpan.text+'")');
fillArcTypesAndDisplayForm(evt, originSpan.type, targetSpan.type);
// for precise timing, log dialog display to user.
dispatcher.post('logAction', ['arcSelected']);
}
}
} else if (!(Util.isMac ? evt.metaKey : evt.ctrlKey)) {
// if not, then is it span selection? (ctrl key cancels)
var sel = window.getSelection();
var chunkIndexFrom = sel.anchorNode && $(sel.anchorNode.parentNode).attr('data-chunk-id');
var chunkIndexTo = sel.focusNode && $(sel.focusNode.parentNode).attr('data-chunk-id');
// fallback for firefox (at least):
// it's unclear why, but for firefox the anchor and focus
// node parents are always undefined, the the anchor and
// focus nodes themselves do (often) have the necessary
// chunk ID. However, anchor offsets are almost always
// wrong, so we'll just make a guess at what the user might
// be interested in tagging instead of using what's given.
var anchorOffset = null;
var focusOffset = null;
if (chunkIndexFrom === undefined && chunkIndexTo === undefined &&
$(sel.anchorNode).attr('data-chunk-id') &&
$(sel.focusNode).attr('data-chunk-id')) {
// A. Scerri FireFox chunk
var range = sel.getRangeAt(0);
var svgOffset = $(svg._svg).offset();
var flip = false;
var tries = 0;
while (tries < 2) {
var sp = svg._svg.createSVGPoint();
sp.x = (flip ? evt.pageX : dragStartedAt.pageX) - svgOffset.left;
sp.y = (flip ? evt.pageY : dragStartedAt.pageY) - (svgOffset.top + 8);
var startsAt = range.startContainer;
anchorOffset = startsAt.getCharNumAtPosition(sp);
chunkIndexFrom = startsAt && $(startsAt).attr('data-chunk-id');
if (anchorOffset != -1) {
break;
}
flip = true;
tries++;
}
sp.x = (flip ? dragStartedAt.pageX : evt.pageX) - svgOffset.left;
sp.y = (flip ? dragStartedAt.pageY : evt.pageY) - (svgOffset.top + 8);
var endsAt = range.endContainer;
focusOffset = endsAt.getCharNumAtPosition(sp);
if (range.startContainer == range.endContainer && anchorOffset > focusOffset) {
var t = anchorOffset;
anchorOffset = focusOffset;
focusOffset = t;
flip = false;
}
if (focusOffset != -1) {
focusOffset++;
}
chunkIndexTo = endsAt && $(endsAt).attr('data-chunk-id');
//console.log('fallback from', data.chunks[chunkIndexFrom], anchorOffset);
//console.log('fallback to', data.chunks[chunkIndexTo], focusOffset);
} else {
// normal case, assume the exact offsets are usable
anchorOffset = sel.anchorOffset;
focusOffset = sel.focusOffset;
}
if (chunkIndexFrom !== undefined && chunkIndexTo !== undefined) {
var chunkFrom = data.chunks[chunkIndexFrom];
var chunkTo = data.chunks[chunkIndexTo];
var selectedFrom = chunkFrom.from + anchorOffset;
var selectedTo = chunkTo.from + focusOffset;
sel.removeAllRanges();
if (selectedFrom > selectedTo) {
var tmp = selectedFrom; selectedFrom = selectedTo; selectedTo = tmp;
}
// trim
while (selectedFrom < selectedTo && " \n\t".indexOf(data.text.substr(selectedFrom, 1)) !== -1) selectedFrom++;
while (selectedFrom < selectedTo && " \n\t".indexOf(data.text.substr(selectedTo - 1, 1)) !== -1) selectedTo--;
// shift+click allows zero-width spans
if (selectedFrom === selectedTo && !evt.shiftKey) {
// simple click (zero-width span)
return;
}
var newOffset = [selectedFrom, selectedTo];
if (reselectedSpan) {
var newOffsets = reselectedSpan.offsets.slice(0); // clone
spanOptions.old_offsets = JSON.stringify(reselectedSpan.offsets);
if (selectedFragment !== null) {
if (selectedFragment !== false) {
newOffsets.splice(selectedFragment, 1);
}
newOffsets.push(newOffset);
newOffsets.sort(Util.cmpArrayOnFirstElement);
spanOptions.offsets = newOffsets;
} else {
spanOptions.offsets = [newOffset];
}
} else {
spanOptions = {
action: 'createSpan',
offsets: [newOffset]
}
}
/* In relation to #786, removed the cross-sentence checking code
var crossSentence = true;
$.each(sourceData.sentence_offsets, function(sentNo, startEnd) {
if (selectedTo <= startEnd[1]) {
// this is the sentence
if (selectedFrom >= startEnd[0]) {
crossSentence = false;
}
return false;
}
});
if (crossSentence) {
// attempt to annotate across sentence boundaries; not supported
dispatcher.post('messages', [[['Error: cannot annotate across a sentence break', 'error']]]);
if (reselectedSpan) {
$(reselectedSpan.rect).removeClass('reselect');
}
reselectedSpan = null;
svgElement.removeClass('reselect');
} else
*/
if (!Configuration.rapidModeOn || reselectedSpan != null) {
// normal span select in standard annotation mode
// or reselect: show selector
var spanText = data.text.substring(selectedFrom, selectedTo);
fillSpanTypesAndDisplayForm(evt, spanText, reselectedSpan);
// for precise timing, log annotation display to user.
dispatcher.post('logAction', ['spanSelected']);
} else {
// normal span select in rapid annotation mode: call
// server for span type candidates
var spanText = data.text.substring(selectedFrom, selectedTo);
// TODO: we're currently storing the event to position the
// span form using adjustToCursor() (which takes an event),
// but this is clumsy and suboptimal (user may have scrolled
// during the ajax invocation); think of a better way.
lastRapidAnnotationEvent = evt;
dispatcher.post('ajax', [ {
action: 'suggestSpanTypes',
collection: coll,
'document': doc,
start: selectedFrom,
end: selectedTo,
text: spanText,
model: $('#rapid_model').val(),
}, 'suggestedSpanTypes']);
}
}
}
};
var receivedSuggestedSpanTypes = function(sugg) {
if (sugg.exception) {
// failed in one way or another; assume rapid mode cannot be
// used.
dispatcher.post('messages', [[['Rapid annotation mode error; returning to normal mode.', 'warning', -1]]]);
setAnnotationSpeed(2);
dispatcher.post('configurationUpdated');
return false;
}
// make sure the suggestions are for the current collection and document
if (sugg.collection != coll || sugg.document != doc) {
dispatcher.post('messages', [[['Error: collection/document mismatch for span suggestions', 'error']]]);
return false;
}
// initialize for submission
// TODO: is this a reasonable place to do this?
rapidSpanOptions = {
offsets: [[sugg.start, sugg.end]],
};
rapidFillSpanTypesAndDisplayForm(sugg.start, sugg.end, sugg.text, sugg.types);
};
var toggleCollapsible = function($el, state) {
var opening = state !== undefined ? state : !$el.hasClass('open');
var $collapsible = $el.parent().find('.collapsible:first');
if (opening) {
$collapsible.addClass('open');
$el.addClass('open');
} else {
$collapsible.removeClass('open');
$el.removeClass('open');
}
};
var collapseHandler = function(evt) {
toggleCollapsible($(evt.target));
}
var spanFormSubmitRadio = function(evt) {
if (Configuration.confirmModeOn) {
showValidAttributes();
showValidNormalizations();
$('#span_form-ok').focus();
} else {
spanFormSubmit(evt, $(evt.target));
}
}
var rapidSpanFormSubmitRadio = function(evt) {
rapidSpanFormSubmit(evt, $(evt.target));
}
var rememberData = function(_data) {
if (_data && !_data.exception) {
data = _data;
}
};
var addSpanTypesToDivInner = function($parent, types, category) {
if (!types) return;
$.each(types, function(typeNo, type) {
if (type === null) {
$parent.append('<hr/>');
} else {
var name = type.name;
var $input = $('<input type="radio" name="span_type"/>').
attr('id', 'span_' + type.type).
attr('value', type.type);
if (category) {
$input.attr('category', category);
}
// use a light version of the span color as BG
var spanBgColor = spanTypes[type.type] && spanTypes[type.type].bgColor || '#ffffff';
spanBgColor = Util.adjustColorLightness(spanBgColor, spanBoxTextBgColorLighten);
var $label = $('<label class="span_type_label"/>').
attr('for', 'span_' + type.type).
text(name);
if (type.unused) {
$input.attr({
disabled: 'disabled',
unused: 'unused'
});
$label.css('font-weight', 'bold');
} else {
$label.css('background-color', spanBgColor);
}
var $collapsible = $('<div class="collapsible open"/>');
var $content = $('<div class="item_content"/>').
append($input).
append($label).
append($collapsible);
var $collapser = $('<div class="collapser open"/>');
var $div = $('<div class="item"/>');
if (type.children.length) {
$div.append($collapser)
}
$div.append($content);
addSpanTypesToDivInner($collapsible, type.children, category);
$parent.append($div);
if (type.hotkey) {
spanKeymap[type.hotkey] = 'span_' + type.type;
var name = $label.html();
var replace = true;
name = name.replace(new RegExp("(&[^;]*?)?(" + type.hotkey + ")", 'gi'),
function(all, entity, letter) {
if (replace && !entity) {
replace = false;
var hotkey = type.hotkey.toLowerCase() == letter
? type.hotkey.toLowerCase()
: type.hotkey.toUpperCase();
return '<span class="accesskey">' + Util.escapeHTML(hotkey) + '</span>';
}
return all;
});
$label.html(name);
}
}
});
};
var addSpanTypesToDiv = function($top, types, heading) {
$scroller = $('<div class="scroller"/>');
$legend = $('<legend/>').text(heading);
$fieldset = $('<fieldset/>').append($legend).append($scroller);
$top.append($fieldset);
addSpanTypesToDivInner($scroller, types);
};
var addAttributeTypesToDiv = function($top, types, category) {
$.each(types, function(attrNo, attr) {
var escapedType = Util.escapeQuotes(attr.type);
var attrId = category+'_attr_'+escapedType;
if (attr.unused) {
var $input = $('<input type="hidden" id="'+attrId+'" value=""/>');
$top.append($input);
} else if (attr.bool) {
var escapedName = Util.escapeQuotes(attr.name);
var $input = $('<input type="checkbox" id="'+attrId+
'" value="' + escapedType +
'" category="' + category + '"/>');
var $label = $('<label class="attribute_type_label" for="'+attrId+
'" data-bare="' + escapedName + '">☐ ' +
escapedName + '</label>');
$top.append($input).append($label);
$input.button();
$input.change(onBooleanAttrChange);
} else {
var $div = $('<div class="ui-button ui-button-text-only attribute_type_label"/>');
var $select = $('<select id="'+attrId+'" class="ui-widget ui-state-default ui-button-text" category="' + category + '"/>');
var $option = $('<option class="ui-state-default" value=""/>').text(attr.name + ': ?');
$select.append($option);
$.each(attr.values, function(valType, value) {
$option = $('<option class="ui-state-active" value="' + Util.escapeQuotes(valType) + '"/>').text(attr.name + ': ' + (value.name || valType));
$select.append($option);
});
$div.append($select);
$top.append($div);
$select.change(onMultiAttrChange);
}
});
}
var setSpanTypeSelectability = function(category) {
// TODO: this implementation is incomplete: we should ideally
// disable not only categories of types (events or entities),
// but the specific set of types that are incompatible with
// the current attribute settings.
// just assume all attributes are event attributes
// TODO: support for entity attributes
// TODO2: the above comment is almost certainly false, check and remove
$('#span_form input:not([unused])').removeAttr('disabled');
var $toDisable;
if (category == "event") {
$toDisable = $('#span_form input[category="entity"]');
} else if (category == "entity") {
$toDisable = $('#span_form input[category="event"]');
} else {
console.error('Unrecognized attribute category:', category);
$toDisable = $();
}
var $checkedToDisable = $toDisable.filter(':checked');
$toDisable.attr('disabled', true);
// the disable may leave the dialog in a state where nothing
// is checked, which would cause error on "OK". In this case,
// check the first valid choice.
if ($checkedToDisable.length) {
var $toCheck = $('#span_form input[category="' + category + '"]:first');
// so weird, attr('checked', 'checked') fails sometimes, so
// replaced with more "metal" version
$toCheck[0].checked = true
}
}
var onMultiAttrChange = function(evt) {
if ($(this).val() == '') {
$('#span_form input:not([unused])').removeAttr('disabled');
} else {
var attrCategory = evt.target.getAttribute('category');
setSpanTypeSelectability(attrCategory);
if (evt.target.selectedIndex) {
$(evt.target).addClass('ui-state-active');
} else {
$(evt.target).removeClass('ui-state-active');
}
}
}
var onBooleanAttrChange = function(evt) {
var attrCategory = evt.target.getAttribute('category');
setSpanTypeSelectability(attrCategory);
updateCheckbox($(evt.target));
};
var rememberSpanSettings = function(response) {
spanKeymap = {};
// TODO: check for exceptions in response
// fill in entity and event types
var $entityScroller = $('#entity_types div.scroller').empty();
addSpanTypesToDivInner($entityScroller, response.entity_types, 'entity');
var $eventScroller = $('#event_types div.scroller').empty();
addSpanTypesToDivInner($eventScroller, response.event_types, 'event');
// fill in attributes
var $entattrs = $('#entity_attributes div.scroller').empty();
addAttributeTypesToDiv($entattrs, entityAttributeTypes, 'entity');
var $eveattrs = $('#event_attributes div.scroller').empty();
addAttributeTypesToDiv($eveattrs, eventAttributeTypes, 'event');
// fill search options in span dialog
searchConfig = response.search_config;
var $searchlinks = $('#span_search_links').empty();
var $searchlinks2 = $('#viewspan_search_links').empty();
var firstLink=true;
var linkFilled=false;
if (searchConfig) {
$.each(searchConfig, function(searchNo, search) {
if (!firstLink) {
$searchlinks.append(',\n')
$searchlinks2.append(',\n')
}
firstLink=false;
$searchlinks.append('<a target="_blank" id="span_'+search[0]+'" href="#">'+search[0]+'</a>');
$searchlinks2.append('<a target="_blank" id="viewspan_'+search[0]+'" href="#">'+search[0]+'</a>');
linkFilled=true;
});
}
if (linkFilled) {
$('#span_search_fieldset').show();
$('#viewspan_search_fieldset').show();
} else {
$('#span_search_fieldset').hide();
$('#viewspan_search_fieldset').hide();
}
spanForm.find('#entity_types input:radio').click(spanFormSubmitRadio);
spanForm.find('#event_types input:radio').click(spanFormSubmitRadio);
spanForm.find('.collapser').click(collapseHandler);
};
var tagCurrentDocument = function(taggerId) {
var tagOptions = {
action: 'tag',
collection: coll,
'document': doc,
tagger: taggerId,
};
dispatcher.post('ajax', [tagOptions, 'edited']);
}
var setupTaggerUI = function(response) {
var taggers = response.ner_taggers || [];
$taggerButtons = $('#tagger_buttons').empty();
$.each(taggers, function(taggerNo, tagger) {
// expect a tuple with ID, name, model, and URL
var taggerId = tagger[0];
var taggerName = tagger[1];
var taggerModel = tagger[2];
if (!taggerId || !taggerName || !taggerModel) {
dispatcher.post('messages', [[['Invalid tagger specification received from server', 'error']]]);
return true; // continue
}
var $row = $('<div class="optionRow"/>');
var $label = $('<span class="optionLabel">'+Util.escapeHTML(taggerName)+'</span>');
var $button = $('<input id="tag_'+Util.escapeHTML(taggerId)+'_button" type="button" value="'+Util.escapeHTML(taggerModel)+'" tabindex="-1" title="Automatically tag the current document."/>');
$row.append($label).append($button);
$taggerButtons.append($row);
$button.click(function(evt) {
tagCurrentDocument(taggerId);
});
});
$taggerButtons.find('input').button();
// if nothing was set up, hide the whole fieldset and show
// a message to this effect, else the other way around
if ($taggerButtons.find('input').length == 0) {
$('#auto_tagging_fieldset').hide();
$('#no_tagger_message').show();
} else {
$('#auto_tagging_fieldset').show();
$('#no_tagger_message').hide();
}
}
// recursively traverses type hierarchy (entity_types or
// event_types) and stores normalizations in normDbsByType.
var rememberNormDbsForType = function(types) {
if (!types) return;
$.each(types, function(typeNo, type) {
if (type === null) {
// spacer, no-op
} else {
normDbsByType[type.type] = type.normalizations || [];
if (type.children.length) {
rememberNormDbsForType(type.children);
}
}
});
};
var setupNormalizationUI = function(response) {
var norm_resources = response.normalization_config || [];
var $norm_select = $('#span_norm_db');
// clear possible existing
$norm_select.empty();
// fill in new
html = [];
$.each(norm_resources, function(normNo, norm) {
var normName = norm[0], normUrl = norm[1], normUrlBase = norm[2];
var serverDb = norm[3];
html.push('<option value="'+Util.escapeHTML(normName)+'">'+
Util.escapeHTML(normName)+'</option>');
// remember the urls for updates
normDbUrlByDbName[normName] = normUrl;
normDbUrlBaseByDbName[normName] = normUrlBase;
});
// remember per-type appropriate DBs
normDbsByType = {};
rememberNormDbsForType(response.entity_types);
rememberNormDbsForType(response.event_types);
// set up HTML
$norm_select.html(html.join(''));
// if we have nothing, just hide the whole thing
if (!norm_resources.length) {
$('#norm_fieldset').hide();
} else {
$('#norm_fieldset').show();
}
}
// hides the reference link in the normalization UI
var hideNormalizationRefLink = function() {
$('#span_norm_ref_link').hide();
}
// updates the reference link in the normalization UI according
// to the current value of the normalization DB and ID.
var updateNormalizationRefLink = function() {
var $normId = $('#span_norm_id');
var $normLink = $('#span_norm_ref_link');
var normId = $normId.val();
var $normDb = $('#span_norm_db');
var normDb = $normDb.val();
if (!normId || !normDb || normId.match(/^\s*$/)) {
$normLink.hide();
} else {
var base = normDbUrlBaseByDbName[normDb];
// assume hidden unless everything goes through
$normLink.hide();
if (!base) {
// base URL is now optional, just skip link generation if not set
;
} else if (base.indexOf('%s') == -1) {
dispatcher.post('messages', [[['Base URL "'+base+'" for '+normDb+' does not contain "%s"', 'error']]]);
} else {
// TODO: protect against strange chars in ID
link = base.replace('%s', normId);
$normLink.attr('href', link);
$normLink.show();
}
}
}
// updates the DB search link in the normalization UI according
// to the current value of the normalization DB.
var updateNormalizationDbLink = function() {
var $dbLink = $('#span_norm_db_link');
var $normDb = $('#span_norm_db');
var normDb = $normDb.val();
if (!normDb) return; // no normalisation configured
var link = normDbUrlByDbName[normDb];
if (!link || link.match(/^\s*$/)) {
dispatcher.post('messages', [[['No URL for '+normDb, 'error']]]);
$dbLink.hide();
} else {
// TODO: protect against weirdness in DB link
$dbLink.attr('href', link);
$dbLink.show();
}
}
// resets user-settable normalization-related UI elements to a
// blank state (does not blank #span_norm_db <select>).
var clearNormalizationUI = function() {
var $normId = $('#span_norm_id');
var $normText = $('#span_norm_txt');
$normId.val('');
oldSpanNormIdValue = '';
$normId.removeClass('valid_value').removeClass('invalid_value');
$normText.val('');
updateNormalizationRefLink();
}
// returns the normalizations currently filled in the span
// dialog, or empty list if there are none
var spanNormalizations = function() {
// Note that only no or one normalization is supported in the
// UI at the moment.
var normalizations = [];
var normDb = $('#span_norm_db').val();
var normId = $('#span_norm_id').val();
var normText = $('#span_norm_txt').val();
// empty ID -> no normalization
if (!normId.match(/^\s*$/)) {
normalizations.push([normDb, normId, normText]);
}
return normalizations;
}
// returns attributes that are valid for the selected type in
// the span dialog
var spanAttributes = function(typeRadio) {
typeRadio = typeRadio || $('#span_form input:radio:checked');
var attributes = {};
var attributeTypes;
var category = typeRadio.attr('category');
if (category == 'entity') {
attributeTypes = entityAttributeTypes;
} else if (category == 'event') {
attributeTypes = eventAttributeTypes;
} else {
console.error('Unrecognized type category:', category);
}
$.each(attributeTypes, function(attrNo, attr) {
var $input = $('#'+category+'_attr_'+Util.escapeQuotes(attr.type));
if (attr.bool) {
attributes[attr.type] = $input[0].checked;
} else if ($input[0].selectedIndex) {
attributes[attr.type] = $input.val();
}
});
return attributes;
}
var spanAndAttributeTypesLoaded = function(_spanTypes,
_entityAttributeTypes,
_eventAttributeTypes,
_relationTypesHash) {
spanTypes = _spanTypes;
entityAttributeTypes = _entityAttributeTypes;
eventAttributeTypes = _eventAttributeTypes;
relationTypesHash = _relationTypesHash;
// for easier access
allAttributeTypes = $.extend({},
entityAttributeTypes,
eventAttributeTypes);
};
var gotCurrent = function(_coll, _doc, _args) {
coll = _coll;
doc = _doc;
args = _args;
};
var undoStack = [];
var edited = function(response) {
var x = response.exception;
if (x) {
if (x == 'annotationIsReadOnly') {
dispatcher.post('messages', [[["This document is read-only and can't be edited.", 'error']]]);
} else if (x == 'spanOffsetOverlapError') {
// createSpan with overlapping frag offsets; reset offsets
// @amadanmath: who holds the list of offsets for a span?
// how to reset this?
} else {
dispatcher.post('messages', [[['Unknown error '+x, 'error']]]);
}
if (reselectedSpan) {
$(reselectedSpan.rect).removeClass('reselect');
reselectedSpan = null;
}
svgElement.removeClass('reselect');
$('#waiter').dialog('close');
} else {
if (response.edited == undefined) {
console.warn('Warning: server response to edit has', response.edited, 'value for "edited"');
} else {
args.edited = response.edited;
}
var sourceData = response.annotations;
sourceData.document = doc;
sourceData.collection = coll;
// this "prevent" is to protect against reloading (from the
// server) the very data that we just received as part of the
// response to the edit.
if (response.undo != undefined) {
undoStack.push([coll, sourceData.document, response.undo]);
}
dispatcher.post('preventReloadByURL');
dispatcher.post('setArguments', [args]);
dispatcher.post('renderData', [sourceData]);
}
};
// TODO: why are these globals defined here instead of at the top?
var spanForm = $('#span_form');
var rapidSpanForm = $('#rapid_span_form');
var deleteSpan = function() {
if (Configuration.confirmModeOn && !confirm("Are you sure you want to delete this annotation?")) {
return;
}
$.extend(spanOptions, {
action: 'deleteSpan',
collection: coll,
'document': doc,
});
spanOptions.offsets = JSON.stringify(spanOptions.offsets);
dispatcher.post('ajax', [spanOptions, 'edited']);
dispatcher.post('hideForm');
$('#waiter').dialog('open');
};
var reselectSpan = function() {
dispatcher.post('hideForm');
svgElement.addClass('reselect');
$(editedSpan.rect).addClass('reselect');
reselectedSpan = editedSpan;
selectedFragment = null;
};
var splitForm = $('#split_form');
splitForm.submit(function(evt) {
var splitRoles = [];
$('#split_roles input:checked').each(function() {
splitRoles.push($(this).val());
});
$.extend(spanOptions, {
action: 'splitSpan',
'args': $.toJSON(splitRoles),
collection: coll,
'document': doc,
});
spanOptions.offsets = JSON.stringify(spanOptions.offsets);
dispatcher.post('hideForm');
dispatcher.post('ajax', [spanOptions, 'edited']);
return false;
});
dispatcher.post('initForm', [splitForm, {
alsoResize: '.scroll_fset',
width: 400
}]);
var splitSpan = function() {
dispatcher.post('hideForm');
var $roles = $('#split_roles').empty();
var numRoles = repeatingArcTypes.length;
var roles = $.each(repeatingArcTypes, function() {
var $role = $('<input id="split_on_' + Util.escapeQuotes(this) +
'" type="checkbox" name="' + Util.escapeQuotes(this) +
'" value="' + Util.escapeQuotes(this) + '"/>');
if (numRoles == 1) {
// a single role will be selected automatically
$role.click();
}
var $label = $('<label for="split_on_' + Util.escapeQuotes(this) +
'">' + Util.escapeQuotes(this) + '</label>');
$roles.append($role).append($label);
});
var $roleButtons = $roles.find('input').button();
dispatcher.post('showForm', [splitForm]);
};
var addFragment = function() {
dispatcher.post('hideForm');
svgElement.addClass('reselect');
$(editedSpan.rect).addClass('reselect');
reselectedSpan = editedSpan;
selectedFragment = false;
};
var reselectFragment = function() {
addFragment();
selectedFragment = editedFragment;
};
var deleteFragment = function() {
if (Configuration.confirmModeOn && !confirm("Are you sure you want to delete this fragment?")) {
return;
}
var offsets = editedSpan.offsets;
spanOptions.old_offsets = JSON.stringify(offsets);
offsets.splice(editedFragment, 1);
$.extend(spanOptions, {
collection: coll,
'document': doc,
offsets: JSON.stringify(offsets),
});
spanOptions.attributes = $.toJSON(spanAttributes());
spanOptions.normalizations = $.toJSON(spanNormalizations());
dispatcher.post('ajax', [spanOptions, 'edited']);
dispatcher.post('hideForm');
$('#waiter').dialog('open');
};
dispatcher.post('initForm', [spanForm, {
alsoResize: '#entity_and_event_wrapper',
width: 760,
buttons: [{
id: 'span_form_add_fragment',
text: "Add Frag.",
click: addFragment
}, {
id: 'span_form_delete',
text: "Delete",
click: deleteSpan
}, {
id: 'span_form_delete_fragment',
text: "Delete Frag.",
click: deleteFragment
}, {
id: 'span_form_reselect',
text: 'Move',
click: reselectSpan
}, {
id: 'span_form_reselect_fragment',
text: 'Move Frag.',
click: reselectFragment
}, {
id: 'span_form_split',
text: 'Split',
click: splitSpan
}
],
close: function(evt) {
keymap = null;
if (reselectedSpan) {
$(reselectedSpan.rect).removeClass('reselect');
reselectedSpan = null;
svgElement.removeClass('reselect');
}
}
}]);
// set button tooltips (@amadanmath: can this be done in init?)
$('#span_form_reselect').attr('title', 'Re-select the text span that this annotation marks.');
$('#span_form_delete').attr('title', 'Delete this annotation.');
$('#span_form_split').attr('title', 'Split this annotation into multiple similar annotations, distributing its arguments.');
dispatcher.post('initForm', [rapidSpanForm, {
alsoResize: '#rapid_span_types',
width: 400,
close: function(evt) {
keymap = null;
}
}]);
var spanFormSubmit = function(evt, typeRadio) {
typeRadio = typeRadio || $('#span_form input:radio:checked');
var type = typeRadio.val();
$('#span_form-ok').blur();
dispatcher.post('hideForm');
$.extend(spanOptions, {
action: 'createSpan',
collection: coll,
'document': doc,
type: type,
comment: $('#span_notes').val()
});
spanOptions.attributes = $.toJSON(spanAttributes());
spanOptions.normalizations = $.toJSON(spanNormalizations());
if (spanOptions.offsets) {
spanOptions.offsets = $.toJSON(spanOptions.offsets);
}
// unfocus all elements to prevent focus being kept after
// hiding them
spanForm.parent().find('*').blur();
$('#waiter').dialog('open');
dispatcher.post('ajax', [spanOptions, 'edited']);
return false;
};
$('#span_notes').focus(function () {
keymap = null;
}).blur(function () {
keymap = spanKeymap;
});
spanForm.submit(spanFormSubmit);
var rapidSpanFormSubmit = function(evt, typeRadio) {
typeRadio = typeRadio || $('#rapid_span_form input:radio:checked');
var type = typeRadio.val();
// unfocus all elements to prevent focus being kept after
// hiding them
rapidSpanForm.parent().find('*').blur();
dispatcher.post('hideForm');
if (type == "") {
// empty type value signals the special case where the user
// selected "none of the above" of the proposed types and
// the normal dialog should be brought up for the same span.
spanOptions = {
action: 'createSpan',
offsets: rapidSpanOptions.offsets,
};
// TODO: avoid using the stored mouse event
fillSpanTypesAndDisplayForm(lastRapidAnnotationEvent,
$('#rapid_span_selected').text());
dispatcher.post('logAction', ['normalSpanSelected']);
} else {
// normal type selection; submit createSpan with the selected type.
$.extend(rapidSpanOptions, {
action: 'createSpan',
collection: coll,
'document': doc,
type: type,
});
$('#waiter').dialog('open');
rapidSpanOptions.offsets = JSON.stringify(rapidSpanOptions.offsets);
dispatcher.post('ajax', [rapidSpanOptions, 'edited']);
}
return false;
};
rapidSpanForm.submit(rapidSpanFormSubmit);
var importForm = $('#import_form');
var importFormSubmit = function(evt) {
var _docid = $('#import_docid').val();
var _doctext = $('#import_text').val();
var opts = {
action : 'importDocument',
collection : coll,
docid : _docid,
text : _doctext,
};
dispatcher.post('ajax', [opts, function(response) {
var x = response.exception;
if (x) {
if (x == 'fileExistsError') {
dispatcher.post('messages', [[["A file with the given name exists. Please give a different name to the file to import.", 'error']]]);
} else {
dispatcher.post('messages', [[['Unknown error: ' + response.exception, 'error']]]);
}
} else {
dispatcher.post('hideForm');
dispatcher.post('setDocument', [response.document]);
}
}]);
return false;
};
importForm.submit(importFormSubmit);
dispatcher.post('initForm', [importForm, {
width: 500,
alsoResize: '#import_text',
open: function(evt) {
keymap = {};
},
}]);
$('#import_button').click(function() {
dispatcher.post('hideForm');
dispatcher.post('showForm', [importForm]);
importForm.find('input, textarea').val('');
});
/* BEGIN delete button - related */
$('#delete_document_button').click(function() {
if (!doc) {
dispatcher.post('messages', [[['No document selected', 'error']]]);
return false;
}
if (!confirm('Are you sure you want to permanently remove this document and its annotations from the collection? This action cannot be undone.')) {
return;
}
var delOptions = {
action: 'deleteDocument',
collection: coll,
'document': doc
}
dispatcher.post('ajax', [delOptions, 'docDeleted']);
});
$('#delete_collection_button').click(function() {
if (!coll) {
dispatcher.post('messages', [[['No collection selected', 'error']]]);
return false;
}
if (!confirm('Are you sure you want to permanently REMOVE the ENTIRE COLLECTION '+coll+', including all its documents and their annotations? This action CANNOT BE UNDONE.')) {
return;
}
var delOptions = {
action: 'deleteCollection',
collection: coll,
}
dispatcher.post('ajax', [delOptions, 'collDeleted']);
});
/* END delete button - related */
$('#undo_button').click(function() {
if (coll && doc) {
if (undoStack.length > 0) {
var storedUndo = undoStack.pop();
var collection = storedUndo[0];
var dok = storedUndo[1];
var token = storedUndo[2];
var options = {
'action': 'undo',
'collection': collection,
'document': dok,
'token': token
}
dispatcher.post('ajax', [options, 'edited']);
} else {
dispatcher.post('messages', [[['No action to be undone', 'error']]]);
}
} else {
dispatcher.post('messages', [[['No document loaded, can not undo changes', 'error']]]);
}
});
var preventDefault = function(evt) {
evt.preventDefault();
}
var $waiter = $('#waiter');
$waiter.dialog({
closeOnEscape: false,
buttons: {},
modal: true,
open: function(evt, ui) {
$(evt.target).parent().find(".ui-dialog-titlebar-close").hide();
}
});
// hide the waiter (Sampo said it's annoying)
// we don't elliminate it altogether because it still provides the
// overlay to prevent interaction
$waiter.parent().css('opacity', '0');
var isReloadOkay = function() {
// do not reload while the user is in the middle of editing
return arcDragOrigin == null && reselectedSpan == null;
};
var userReceived = function(_user) {
that.user = _user;
}
var setAnnotationSpeed = function(speed) {
if (speed == 1) {
Configuration.confirmModeOn = true;
} else {
Configuration.confirmModeOn = false;
}
if (speed == 3) {
Configuration.rapidModeOn = true;
} else {
Configuration.rapidModeOn = false;
}
dispatcher.post('configurationChanged');
};
var onNewSourceData = function(_sourceData) {
sourceData = _sourceData;
}
var init = function() {
dispatcher.post('annotationIsAvailable');
};
var arcDragArcDrawn = function(arc) {
arcDragArc = arc;
};
dispatcher.
on('init', init).
on('arcDragArcDrawn', arcDragArcDrawn).
on('getValidArcTypesForDrag', getValidArcTypesForDrag).
on('dataReady', rememberData).
on('collectionLoaded', rememberSpanSettings).
on('collectionLoaded', setupTaggerUI).
on('collectionLoaded', setupNormalizationUI).
on('spanAndAttributeTypesLoaded', spanAndAttributeTypesLoaded).
on('newSourceData', onNewSourceData).
on('hideForm', hideForm).
on('user', userReceived).
on('edited', edited).
on('current', gotCurrent).
on('isReloadOkay', isReloadOkay).
on('keydown', onKeyDown).
on('dblclick', onDblClick).
on('dragstart', preventDefault).
on('mousedown', onMouseDown).
on('mouseup', onMouseUp).
on('mousemove', onMouseMove).
on('annotationSpeed', setAnnotationSpeed).
on('suggestedSpanTypes', receivedSuggestedSpanTypes).
on('normGetNameResult', setSpanNormText).
on('normSearchResult', setSpanNormSearchResults);
};
return AnnotatorUI;
})(jQuery, window);