1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
2407
2408
2409
2410
2411
2412
2413
2414
2415
2416
2417
2418
2419
2420
2421
2422
2423
2424
2425
2426
2427
2428
2429
2430
2431
2432
2433
2434
2435
2436
2437
2438
2439
2440
2441
2442
2443
2444
2445
2446
2447
2448
2449
2450
2451
2452
2453
2454
2455
2456
2457
2458
2459
2460
2461
2462
2463
2464
2465
2466
2467
2468
2469
2470
2471
2472
2473
2474
2475
2476
2477
2478
2479
2480
2481
2482
2483
2484
2485
2486
2487
2488
2489
2490
2491
2492
2493
2494
2495
2496
2497
2498
2499
2500
2501
2502
2503
2504
2505
2506
2507
2508
2509
2510
2511
2512
2513
2514
2515
2516
2517
2518
2519
2520
2521
2522
2523
2524
2525
2526
2527
2528
2529
2530
2531
2532
2533
2534
2535
2536
2537
2538
2539
2540
2541
2542
2543
2544
2545
2546
2547
2548
2549
2550
2551
2552
2553
2554
2555
2556
2557
2558
2559
2560
2561
2562
2563
2564
2565
2566
2567
2568
2569
2570
2571
2572
2573
2574
2575
2576
2577
2578
2579
2580
2581
2582
2583
2584
2585
2586
2587
2588
2589
2590
2591
2592
2593
2594
2595
2596
2597
2598
2599
2600
2601
2602
2603
2604
2605
2606
2607
2608
2609
2610
2611
2612
2613
2614
2615
2616
2617
2618
2619
2620
2621
2622
2623
2624
2625
2626
2627
2628
2629
2630
2631
2632
2633
2634
2635
2636
2637
2638
2639
2640
2641
2642
2643
2644
2645
2646
2647
2648
2649
2650
2651
2652
2653
2654
2655
2656
2657
2658
2659
2660
2661
2662
2663
2664
2665
2666
2667
2668
2669
2670
2671
2672
2673
2674
2675
2676
2677
2678
2679
2680
2681
2682
2683
2684
2685
2686
2687
2688
2689
2690
2691
2692
2693
2694
2695
2696
2697
2698
2699
2700
2701
2702
2703
2704
2705
2706
2707
2708
2709
2710
2711
2712
2713
2714
2715
2716
2717
2718
2719
2720
2721
2722
2723
2724
2725
2726
2727
2728
2729
2730
2731
2732
2733
2734
2735
2736
2737
2738
2739
2740
2741
2742
2743
2744
2745
2746
2747
2748
2749
2750
2751
2752
2753
2754
2755
2756
2757
2758
2759
2760
2761
2762
2763
2764
2765
2766
2767
2768
2769
2770
2771
2772
2773
2774
2775
2776
2777
2778
2779
2780
2781
2782
2783
2784
2785
2786
2787
2788
2789
2790
2791
2792
2793
2794
2795
2796
2797
2798
2799
2800
2801
2802
2803
2804
2805
2806
2807
2808
2809
2810
2811
2812
2813
2814
2815
2816
2817
2818
2819
2820
2821
2822
2823
2824
2825
2826
2827
2828
2829
2830
2831
2832
2833
2834
2835
2836
2837
2838
2839
2840
2841
2842
2843
2844
2845
2846
2847
2848
2849
2850
2851
2852
2853
2854
2855
2856
2857
2858
2859
2860
2861
2862
2863
2864
2865
2866
2867
2868
2869
2870
2871
2872
2873
2874
2875
2876
2877
2878
2879
2880
2881
2882
2883
2884
2885
2886
2887
2888
2889
2890
2891
2892
2893
2894
2895
2896
2897
2898
2899
2900
2901
2902
2903
2904
2905
2906
2907
2908
2909
2910
2911
2912
2913
2914
2915
2916
2917
2918
2919
2920
2921
2922
2923
2924
2925
2926
2927
2928
2929
2930
2931
2932
2933
2934
2935
2936
2937
2938
2939
2940
2941
2942
2943
2944
2945
2946
2947
2948
2949
2950
2951
2952
2953
2954
2955
2956
2957
2958
2959
2960
2961
2962
2963
2964
2965
2966
2967
2968
2969
2970
2971
2972
2973
2974
2975
2976
2977
2978
2979
2980
2981
2982
2983
2984
2985
2986
2987
2988
2989
2990
2991
2992
2993
2994
2995
2996
2997
2998
2999
3000
3001
3002
3003
3004
3005
3006
3007
3008
3009
3010
3011
3012
3013
3014
3015
3016
3017
3018
3019
3020
3021
3022
3023
3024
3025
3026
3027
3028
3029
3030
3031
3032
3033
3034
3035
3036
3037
3038
3039
3040
3041
3042
3043
3044
3045
3046
3047
3048
3049
3050
3051
3052
3053
3054
3055
3056
3057
3058
3059
3060
3061
3062
3063
3064
3065
3066
3067
3068
3069
3070
3071
3072
3073
3074
3075
3076
3077
3078
3079
3080
3081
3082
3083
3084
3085
3086
3087
3088
3089
3090
3091
3092
3093
3094
3095
3096
3097
3098
3099
3100
3101
3102
3103
3104
3105
3106
3107
3108
3109
3110
3111
3112
3113
3114
3115
3116
3117
3118
3119
3120
3121
3122
3123
3124
3125
3126
3127
3128
3129
3130
3131
3132
3133
3134
3135
3136
3137
3138
3139
3140
3141
3142
3143
3144
3145
3146
3147
3148
3149
3150
3151
3152
3153
3154
3155
3156
3157
3158
3159
3160
3161
3162
3163
3164
3165
3166
3167
3168
3169
3170
3171
3172
3173
3174
3175
3176
3177
3178
3179
3180
3181
3182
3183
3184
3185
3186
3187
3188
3189
3190
3191
3192
3193
3194
3195
3196
3197
3198
3199
3200
3201
3202
3203
3204
3205
3206
3207
3208
3209
3210
3211
3212
3213
3214
3215
3216
3217
3218
3219
3220
3221
3222
3223
3224
3225
3226
3227
3228
3229
3230
3231
3232
3233
3234
3235
3236
3237
3238
3239
3240
3241
3242
3243
3244
3245
3246
3247
3248
3249
3250
3251
3252
3253
3254
3255
3256
3257
3258
3259
3260
3261
3262
3263
3264
3265
3266
3267
3268
3269
3270
3271
3272
3273
3274
3275
3276
3277
3278
3279
3280
3281
3282
3283
3284
3285
3286
3287
3288
3289
3290
3291
3292
3293
3294
3295
3296
3297
3298
3299
3300
3301
3302
3303
3304
3305
3306
3307
3308
3309
3310
3311
3312
3313
3314
3315
3316
3317
3318
3319
3320
3321
3322
3323
3324
3325
3326
3327
3328
3329
3330
3331
3332
3333
3334
3335
3336
3337
3338
3339
3340
3341
3342
3343
3344
3345
3346
3347
3348
3349
3350
3351
3352
3353
3354
3355
3356
3357
3358
3359
3360
3361
3362
3363
3364
3365
3366
3367
3368
3369
3370
3371
3372
3373
3374
3375
3376
3377
3378
3379
3380
3381
3382
3383
3384
3385
3386
3387
3388
3389
3390
3391
3392
3393
3394
3395
3396
3397
3398
3399
3400
3401
3402
3403
3404
3405
3406
3407
3408
3409
3410
3411
3412
3413
3414
3415
3416
3417
3418
3419
3420
3421
3422
3423
3424
3425
3426
3427
3428
3429
3430
3431
3432
3433
3434
3435
3436
3437
3438
3439
3440
3441
3442
3443
3444
3445
3446
3447
3448
3449
3450
3451
3452
3453
3454
3455
3456
3457
3458
3459
3460
3461
3462
3463
3464
3465
3466
3467
3468
3469
3470
3471
3472
3473
3474
3475
3476
3477
3478
3479
3480
3481
3482
3483
3484
3485
3486
3487
3488
3489
3490
3491
3492
3493
3494
3495
3496
3497
3498
3499
3500
3501
3502
3503
3504
3505
3506
3507
3508
3509
3510
3511
3512
3513
3514
3515
3516
3517
3518
3519
3520
3521
3522
3523
3524
3525
3526
3527
3528
3529
3530
3531
3532
3533
3534
3535
3536
3537
3538
3539
3540
3541
3542
3543
3544
3545
3546
3547
3548
3549
3550
3551
3552
3553
3554
3555
3556
3557
3558
3559
3560
3561
3562
3563
3564
3565
3566
3567
3568
3569
3570
3571
3572
3573
3574
3575
3576
3577
3578
3579
3580
3581
3582
3583
3584
3585
3586
3587
3588
3589
3590
3591
3592
3593
3594
3595
3596
3597
3598
3599
3600
3601
3602
3603
3604
3605
3606
3607
3608
3609
3610
3611
3612
3613
3614
3615
3616
3617
3618
3619
3620
3621
3622
3623
3624
3625
3626
3627
3628
3629
3630
3631
3632
3633
3634
3635
3636
3637
3638
3639
3640
3641
3642
3643
3644
3645
3646
3647
3648
3649
3650
3651
3652
3653
3654
3655
3656
3657
3658
3659
3660
3661
3662
3663
3664
3665
3666
3667
3668
3669
3670
3671
3672
3673
3674
3675
3676
3677
3678
3679
3680
3681
3682
3683
3684
3685
3686
3687
3688
3689
3690
3691
3692
3693
3694
3695
3696
3697
3698
3699
3700
3701
3702
3703
3704
3705
3706
3707
3708
3709
3710
3711
3712
3713
3714
3715
3716
3717
3718
3719
3720
3721
3722
3723
3724
3725
3726
3727
3728
3729
3730
3731
3732
3733
3734
3735
3736
3737
3738
3739
3740
3741
3742
3743
3744
3745
3746
3747
3748
3749
3750
3751
3752
3753
3754
3755
3756
3757
3758
3759
3760
3761
3762
3763
3764
3765
3766
3767
3768
3769
3770
3771
3772
3773
3774
3775
3776
3777
3778
3779
3780
3781
3782
3783
3784
3785
3786
3787
3788
3789
3790
3791
3792
3793
3794
3795
3796
3797
3798
3799
3800
3801
3802
3803
3804
3805
3806
3807
3808
3809
3810
3811
3812
3813
3814
3815
3816
3817
3818
3819
3820
3821
3822
3823
3824
3825
3826
3827
3828
3829
3830
3831
3832
3833
3834
3835
3836
3837
3838
3839
3840
3841
3842
3843
3844
3845
3846
3847
3848
3849
3850
3851
3852
3853
3854
3855
3856
3857
3858
3859
3860
3861
3862
3863
3864
3865
3866
3867
3868
3869
3870
3871
3872
3873
3874
3875
3876
3877
3878
3879
3880
3881
3882
3883
3884
3885
3886
3887
3888
3889
3890
3891
3892
3893
3894
3895
3896
3897
3898
3899
3900
3901
3902
3903
3904
3905
3906
3907
3908
3909
3910
3911
3912
3913
3914
3915
3916
3917
3918
3919
3920
3921
3922
3923
3924
3925
3926
3927
3928
3929
3930
3931
3932
3933
3934
3935
3936
3937
3938
3939
3940
3941
3942
3943
3944
3945
3946
3947
3948
3949
3950
3951
3952
3953
3954
3955
3956
3957
3958
3959
3960
3961
3962
3963
3964
3965
3966
3967
3968
3969
3970
3971
3972
3973
3974
3975
3976
3977
3978
3979
3980
3981
3982
3983
3984
3985
3986
3987
3988
3989
3990
3991
3992
3993
3994
3995
3996
3997
3998
3999
4000
4001
4002
4003
4004
4005
4006
4007
4008
4009
4010
4011
4012
4013
4014
4015
4016
4017
4018
4019
4020
4021
4022
4023
4024
4025
4026
4027
4028
4029
4030
4031
4032
4033
4034
4035
4036
4037
4038
4039
4040
4041
4042
4043
4044
4045
4046
4047
4048
4049
4050
4051
4052
4053
4054
4055
4056
4057
4058
4059
4060
4061
4062
4063
4064
4065
4066
4067
4068
4069
4070
4071
4072
4073
4074
4075
4076
4077
4078
4079
4080
4081
4082
4083
4084
4085
4086
4087
4088
4089
4090
4091
4092
4093
4094
4095
4096
4097
4098
4099
4100
4101
4102
4103
4104
4105
4106
4107
4108
4109
4110
4111
4112
4113
4114
4115
4116
4117
4118
4119
4120
4121
4122
4123
4124
4125
4126
4127
4128
4129
4130
4131
4132
4133
4134
4135
4136
4137
4138
4139
4140
4141
4142
4143
4144
4145
4146
4147
4148
4149
4150
4151
4152
4153
4154
4155
4156
4157
4158
4159
4160
4161
4162
4163
4164
4165
4166
4167
4168
4169
4170
4171
4172
4173
4174
4175
4176
4177
4178
4179
4180
4181
4182
4183
4184
4185
4186
4187
4188
4189
4190
4191
4192
4193
4194
4195
4196
4197
4198
4199
4200
4201
4202
4203
4204
4205
4206
4207
4208
4209
4210
4211
4212
4213
4214
4215
4216
4217
4218
4219
4220
4221
4222
4223
4224
4225
4226
4227
4228
4229
4230
4231
4232
4233
4234
4235
4236
4237
4238
4239
4240
4241
4242
4243
4244
4245
4246
4247
4248
4249
4250
4251
4252
4253
4254
4255
4256
4257
4258
4259
4260
4261
4262
4263
4264
4265
4266
4267
4268
4269
4270
4271
4272
4273
4274
4275
4276
4277
4278
4279
4280
4281
4282
4283
4284
4285
4286
4287
4288
4289
4290
4291
4292
4293
4294
4295
4296
4297
4298
4299
4300
4301
4302
4303
4304
4305
4306
4307
4308
4309
4310
4311
4312
4313
4314
4315
4316
4317
4318
4319
4320
4321
4322
4323
4324
4325
4326
4327
4328
4329
4330
4331
4332
4333
4334
4335
4336
4337
4338
4339
4340
4341
4342
4343
4344
4345
4346
4347
4348
4349
4350
4351
4352
4353
4354
4355
4356
4357
4358
4359
4360
4361
4362
4363
4364
4365
4366
4367
4368
4369
4370
4371
4372
4373
4374
4375
4376
4377
4378
4379
4380
4381
4382
4383
4384
4385
4386
4387
4388
4389
4390
4391
4392
4393
4394
4395
4396
4397
4398
4399
4400
4401
4402
4403
4404
4405
4406
4407
4408
4409
4410
4411
4412
4413
4414
4415
4416
4417
4418
4419
4420
4421
4422
4423
4424
4425
4426
4427
4428
4429
4430
4431
4432
4433
4434
4435
4436
4437
4438
4439
4440
4441
4442
4443
4444
4445
4446
4447
4448
4449
4450
4451
4452
4453
4454
4455
4456
4457
4458
4459
4460
4461
4462
4463
4464
4465
4466
4467
4468
4469
4470
4471
4472
4473
4474
4475
4476
4477
4478
4479
4480
4481
4482
4483
4484
4485
4486
4487
4488
4489
4490
4491
4492
4493
4494
4495
4496
4497
4498
4499
4500
4501
4502
4503
4504
4505
4506
4507
4508
4509
4510
4511
4512
4513
4514
4515
4516
4517
4518
4519
4520
4521
4522
4523
4524
4525
4526
4527
4528
4529
4530
4531
4532
4533
4534
4535
4536
4537
4538
4539
4540
4541
4542
4543
4544
4545
4546
4547
4548
4549
4550
4551
4552
4553
4554
4555
4556
4557
4558
4559
4560
4561
4562
4563
4564
4565
4566
4567
4568
4569
4570
4571
4572
4573
4574
4575
4576
4577
4578
4579
4580
4581
4582
4583
4584
4585
4586
4587
4588
4589
4590
4591
4592
4593
4594
4595
4596
4597
4598
4599
4600
4601
4602
4603
4604
4605
4606
4607
4608
4609
4610
4611
4612
4613
4614
4615
4616
4617
4618
4619
4620
4621
4622
4623
4624
4625
4626
4627
4628
4629
4630
4631
4632
4633
4634
4635
4636
4637
4638
4639
4640
4641
4642
4643
4644
4645
4646
4647
4648
4649
4650
4651
4652
4653
4654
4655
4656
4657
4658
4659
4660
4661
4662
4663
4664
4665
4666
4667
4668
4669
4670
4671
4672
4673
4674
4675
4676
4677
4678
4679
4680
4681
4682
4683
4684
4685
4686
4687
4688
4689
4690
4691
4692
4693
4694
4695
4696
4697
4698
4699
4700
4701
4702
4703
4704
4705
4706
4707
4708
4709
4710
4711
4712
4713
4714
4715
4716
4717
4718
4719
4720
4721
4722
4723
4724
4725
4726
4727
4728
4729
4730
4731
4732
4733
4734
4735
4736
4737
4738
4739
4740
4741
4742
4743
4744
4745
4746
4747
4748
4749
4750
4751
4752
4753
4754
4755
4756
4757
4758
4759
4760
4761
4762
4763
4764
4765
4766
4767
4768
4769
4770
4771
4772
4773
4774
4775
4776
4777
4778
4779
4780
4781
4782
4783
4784
4785
4786
4787
4788
4789
4790
4791
4792
4793
4794
4795
4796
4797
4798
4799
4800
4801
4802
4803
4804
4805
4806
4807
4808
4809
4810
4811
4812
4813
4814
4815
4816
4817
4818
4819
4820
4821
4822
4823
4824
4825
4826
4827
4828
4829
4830
4831
4832
4833
4834
4835
4836
4837
4838
4839
4840
4841
4842
4843
4844
4845
4846
4847
4848
4849
4850
4851
4852
4853
4854
4855
4856
4857
4858
4859
4860
4861
4862
4863
4864
4865
4866
4867
4868
4869
4870
4871
4872
4873
4874
4875
4876
4877
4878
4879
4880
4881
4882
4883
4884
4885
4886
4887
4888
4889
4890
4891
4892
4893
4894
4895
4896
4897
4898
4899
4900
4901
4902
4903
4904
4905
4906
4907
4908
4909
4910
4911
4912
4913
4914
4915
4916
4917
4918
4919
4920
4921
4922
4923
4924
4925
4926
4927
4928
4929
4930
4931
4932
4933
4934
4935
4936
4937
4938
4939
4940
4941
4942
4943
4944
4945
4946
4947
4948
4949
4950
4951
4952
4953
4954
4955
4956
4957
4958
4959
4960
4961
4962
4963
4964
4965
4966
4967
4968
4969
4970
4971
4972
4973
4974
4975
4976
4977
4978
4979
4980
4981
4982
4983
4984
4985
4986
4987
4988
4989
4990
4991
4992
4993
4994
4995
4996
4997
4998
4999
5000
5001
5002
5003
5004
5005
5006
5007
5008
5009
5010
5011
5012
5013
5014
5015
5016
5017
5018
5019
5020
5021
5022
5023
5024
5025
5026
5027
5028
5029
5030
5031
5032
5033
5034
5035
5036
5037
5038
5039
5040
5041
5042
5043
5044
5045
5046
5047
5048
5049
5050
5051
5052
5053
5054
5055
5056
5057
5058
5059
5060
5061
5062
5063
5064
5065
5066
5067
5068
5069
5070
5071
5072
5073
5074
5075
5076
5077
5078
5079
5080
5081
5082
5083
5084
5085
5086
5087
5088
5089
5090
5091
5092
5093
5094
5095
5096
5097
5098
5099
5100
5101
5102
5103
5104
5105
5106
5107
5108
5109
5110
5111
5112
5113
5114
5115
5116
5117
5118
5119
5120
5121
5122
5123
5124
5125
5126
5127
5128
5129
5130
5131
5132
5133
5134
5135
5136
5137
5138
5139
5140
5141
5142
5143
5144
5145
5146
5147
5148
5149
5150
5151
5152
5153
5154
5155
5156
5157
5158
5159
5160
5161
5162
5163
5164
5165
5166
5167
5168
5169
5170
5171
5172
5173
5174
5175
5176
5177
5178
5179
5180
5181
5182
5183
5184
5185
5186
5187
5188
5189
5190
5191
5192
5193
5194
5195
5196
5197
5198
5199
5200
5201
5202
5203
5204
5205
5206
5207
5208
5209
5210
5211
5212
5213
5214
5215
5216
5217
5218
5219
5220
5221
5222
5223
5224
5225
5226
5227
5228
5229
5230
5231
5232
5233
5234
5235
5236
5237
5238
5239
5240
5241
5242
5243
5244
5245
5246
5247
5248
5249
5250
5251
5252
5253
5254
5255
5256
5257
5258
5259
5260
5261
5262
5263
5264
5265
5266
5267
5268
5269
5270
5271
5272
5273
5274
5275
5276
5277
5278
5279
5280
5281
5282
5283
5284
5285
5286
5287
5288
5289
5290
5291
5292
5293
5294
5295
5296
5297
5298
5299
5300
5301
5302
5303
5304
5305
5306
5307
5308
5309
5310
5311
5312
5313
5314
5315
5316
5317
5318
5319
5320
5321
5322
5323
5324
5325
5326
5327
5328
5329
5330
5331
5332
5333
5334
5335
5336
5337
5338
5339
5340
5341
5342
5343
5344
5345
5346
5347
5348
5349
5350
5351
5352
5353
5354
5355
5356
5357
5358
5359
5360
5361
5362
5363
5364
5365
5366
5367
5368
5369
5370
5371
5372
5373
5374
5375
5376
5377
5378
5379
5380
5381
5382
5383
5384
5385
5386
5387
5388
5389
5390
5391
5392
5393
5394
5395
5396
5397
5398
5399
5400
5401
5402
5403
5404
5405
5406
5407
5408
5409
5410
5411
5412
5413
5414
5415
5416
5417
5418
5419
5420
5421
5422
5423
5424
5425
5426
5427
5428
5429
5430
5431
5432
5433
5434
5435
5436
5437
5438
5439
5440
5441
5442
5443
5444
5445
5446
5447
5448
5449
5450
5451
5452
5453
5454
5455
5456
5457
5458
5459
5460
5461
5462
5463
5464
5465
5466
5467
5468
5469
5470
5471
5472
5473
5474
5475
5476
5477
5478
5479
5480
5481
5482
5483
5484
5485
5486
5487
5488
5489
5490
5491
5492
5493
5494
5495
5496
5497
5498
5499
5500
5501
5502
5503
5504
5505
5506
5507
5508
5509
5510
5511
5512
5513
5514
5515
5516
5517
5518
5519
5520
5521
5522
5523
5524
5525
5526
5527
5528
5529
5530
5531
5532
5533
5534
5535
5536
5537
5538
5539
5540
5541
5542
5543
5544
5545
5546
5547
5548
5549
5550
5551
5552
5553
5554
5555
5556
5557
5558
5559
5560
5561
5562
5563
5564
5565
5566
5567
5568
5569
5570
5571
5572
5573
5574
5575
5576
5577
5578
5579
5580
5581
5582
5583
5584
5585
5586
5587
5588
5589
5590
5591
5592
5593
5594
5595
5596
5597
5598
5599
5600
5601
5602
5603
5604
5605
5606
5607
5608
5609
5610
5611
5612
5613
5614
5615
5616
5617
5618
5619
5620
5621
5622
5623
5624
5625
5626
5627
5628
5629
5630
5631
5632
5633
5634
5635
5636
5637
5638
5639
5640
5641
5642
5643
5644
5645
5646
5647
5648
5649
5650
5651
5652
5653
5654
5655
5656
5657
5658
5659
5660
5661
5662
5663
5664
5665
5666
5667
5668
5669
5670
5671
5672
5673
5674
5675
5676
5677
5678
5679
5680
5681
5682
5683
5684
5685
5686
5687
5688
5689
5690
5691
5692
5693
5694
5695
5696
5697
5698
5699
5700
5701
5702
5703
5704
5705
5706
5707
5708
5709
5710
5711
5712
5713
5714
5715
5716
5717
5718
5719
5720
5721
5722
5723
5724
5725
5726
5727
5728
5729
5730
5731
5732
5733
5734
5735
5736
5737
5738
5739
5740
5741
5742
5743
5744
5745
5746
5747
5748
5749
5750
5751
5752
5753
5754
5755
5756
5757
5758
5759
5760
5761
5762
5763
5764
5765
5766
5767
5768
5769
5770
5771
5772
5773
5774
5775
5776
5777
5778
5779
5780
5781
5782
5783
5784
5785
5786
5787
5788
5789
5790
5791
5792
5793
5794
5795
5796
5797
5798
5799
5800
5801
5802
5803
5804
5805
5806
5807
5808
5809
5810
5811
5812
5813
5814
5815
5816
5817
5818
5819
5820
5821
5822
5823
5824
5825
5826
5827
5828
5829
5830
5831
5832
5833
5834
5835
5836
5837
5838
5839
5840
5841
5842
5843
5844
5845
5846
5847
5848
5849
5850
5851
5852
5853
5854
5855
5856
5857
5858
5859
5860
5861
5862
5863
5864
5865
5866
5867
5868
5869
5870
5871
5872
5873
5874
5875
5876
5877
5878
5879
5880
5881
5882
5883
5884
5885
5886
5887
5888
5889
5890
5891
5892
5893
5894
5895
5896
5897
5898
5899
5900
5901
5902
5903
5904
5905
5906
5907
5908
5909
5910
5911
5912
5913
5914
5915
5916
5917
5918
5919
5920
5921
5922
5923
5924
5925
5926
5927
5928
5929
5930
5931
5932
5933
5934
5935
5936
5937
5938
5939
5940
5941
5942
5943
5944
5945
5946
5947
5948
5949
5950
5951
5952
5953
5954
5955
5956
5957
5958
5959
5960
5961
5962
5963
5964
5965
5966
5967
5968
5969
5970
5971
5972
5973
5974
5975
5976
5977
5978
5979
5980
5981
5982
5983
5984
5985
5986
5987
5988
5989
5990
5991
5992
5993
5994
5995
5996
5997
5998
5999
6000
6001
6002
6003
6004
6005
6006
6007
6008
6009
6010
6011
6012
6013
6014
6015
6016
6017
6018
6019
6020
6021
6022
6023
6024
6025
6026
6027
6028
6029
6030
6031
6032
6033
6034
6035
6036
6037
6038
6039
6040
6041
6042
6043
6044
6045
6046
6047
6048
6049
6050
6051
6052
6053
6054
6055
6056
6057
6058
6059
6060
6061
6062
6063
6064
6065
6066
6067
6068
6069
6070
6071
6072
6073
6074
6075
6076
6077
6078
6079
6080
6081
6082
6083
6084
6085
6086
6087
6088
6089
6090
6091
6092
6093
6094
6095
6096
6097
6098
6099
6100
6101
6102
6103
6104
6105
6106
6107
6108
6109
6110
6111
6112
6113
6114
6115
6116
6117
6118
6119
6120
6121
6122
6123
6124
6125
6126
6127
6128
6129
6130
6131
6132
6133
6134
6135
6136
6137
6138
6139
6140
6141
6142
6143
6144
6145
6146
6147
6148
6149
6150
6151
6152
6153
6154
6155
6156
6157
6158
6159
6160
6161
6162
6163
6164
6165
6166
6167
6168
6169
6170
6171
6172
6173
6174
6175
6176
6177
6178
6179
6180
6181
6182
6183
6184
6185
6186
6187
6188
6189
6190
6191
6192
6193
6194
6195
6196
6197
6198
6199
6200
6201
6202
6203
6204
6205
6206
6207
6208
6209
6210
6211
6212
6213
6214
6215
6216
6217
6218
6219
6220
6221
6222
6223
6224
6225
6226
6227
6228
6229
6230
6231
6232
6233
6234
6235
6236
6237
6238
6239
6240
6241
6242
6243
6244
6245
6246
6247
6248
6249
6250
6251
6252
6253
6254
6255
6256
6257
6258
6259
6260
6261
6262
6263
6264
6265
6266
6267
6268
6269
6270
6271
6272
6273
6274
6275
6276
6277
6278
6279
6280
6281
6282
6283
6284
6285
6286
6287
6288
6289
6290
6291
6292
6293
6294
6295
6296
6297
6298
6299
6300
6301
6302
6303
6304
6305
6306
6307
6308
6309
6310
6311
6312
6313
6314
6315
6316
6317
6318
6319
6320
6321
6322
6323
6324
6325
6326
6327
6328
6329
6330
6331
6332
6333
6334
6335
6336
6337
6338
6339
6340
6341
6342
6343
6344
6345
6346
6347
6348
6349
6350
6351
6352
6353
6354
6355
6356
6357
6358
6359
6360
6361
6362
6363
6364
6365
6366
6367
6368
6369
6370
6371
6372
6373
6374
6375
6376
6377
6378
6379
6380
6381
6382
6383
6384
6385
6386
6387
6388
6389
6390
6391
6392
6393
6394
6395
6396
6397
6398
6399
6400
6401
6402
6403
6404
6405
6406
6407
6408
6409
6410
6411
6412
6413
6414
6415
6416
6417
6418
6419
6420
6421
6422
6423
6424
6425
6426
6427
6428
6429
6430
6431
6432
6433
6434
6435
6436
6437
6438
6439
6440
6441
6442
6443
6444
6445
6446
6447
6448
6449
6450
6451
6452
6453
6454
6455
6456
6457
6458
6459
6460
6461
6462
6463
6464
6465
6466
6467
6468
6469
6470
6471
6472
6473
6474
6475
6476
6477
6478
6479
6480
6481
6482
6483
6484
6485
6486
6487
6488
6489
6490
6491
6492
6493
6494
6495
6496
6497
6498
6499
6500
6501
6502
6503
6504
6505
6506
6507
6508
6509
6510
6511
6512
6513
6514
6515
6516
6517
6518
6519
6520
6521
6522
6523
6524
6525
6526
6527
6528
6529
6530
6531
6532
6533
6534
6535
6536
6537
6538
6539
6540
6541
6542
6543
6544
6545
6546
6547
6548
6549
6550
6551
6552
6553
6554
6555
6556
6557
6558
6559
6560
6561
6562
6563
6564
6565
6566
6567
6568
6569
6570
6571
6572
6573
6574
6575
6576
6577
6578
6579
6580
6581
6582
6583
6584
6585
6586
6587
6588
6589
6590
6591
6592
6593
6594
6595
6596
6597
6598
6599
6600
6601
6602
6603
6604
6605
6606
6607
6608
6609
6610
6611
6612
6613
6614
6615
6616
6617
6618
6619
6620
6621
6622
6623
6624
6625
6626
6627
6628
6629
6630
6631
6632
6633
6634
6635
6636
6637
6638
6639
6640
6641
6642
6643
6644
6645
6646
6647
6648
6649
6650
6651
6652
6653
6654
6655
6656
6657
6658
6659
6660
6661
6662
6663
6664
6665
6666
6667
6668
6669
6670
6671
6672
6673
6674
6675
6676
6677
6678
6679
6680
6681
6682
6683
6684
6685
6686
6687
6688
6689
6690
6691
6692
6693
6694
6695
6696
6697
6698
6699
6700
6701
6702
6703
6704
6705
6706
6707
6708
6709
6710
6711
6712
6713
6714
6715
6716
6717
6718
6719
6720
6721
6722
6723
6724
6725
6726
6727
6728
6729
6730
6731
6732
6733
6734
6735
6736
6737
6738
6739
6740
6741
6742
6743
6744
6745
6746
6747
6748
6749
6750
6751
6752
6753
6754
6755
6756
6757
6758
6759
6760
6761
6762
6763
6764
6765
6766
6767
6768
6769
6770
6771
6772
6773
6774
6775
6776
6777
6778
6779
6780
6781
6782
6783
6784
6785
6786
6787
6788
6789
6790
6791
6792
6793
6794
6795
6796
6797
6798
6799
6800
6801
6802
6803
6804
6805
6806
6807
6808
6809
6810
6811
6812
6813
6814
6815
6816
6817
6818
6819
6820
6821
6822
6823
6824
6825
6826
6827
6828
6829
6830
6831
6832
6833
6834
6835
6836
6837
6838
6839
6840
6841
6842
6843
6844
6845
6846
6847
6848
6849
6850
6851
6852
6853
6854
6855
6856
6857
6858
6859
6860
6861
6862
6863
6864
6865
6866
6867
6868
6869
6870
6871
6872
6873
6874
6875
6876
6877
6878
6879
6880
6881
6882
6883
6884
6885
6886
6887
6888
6889
6890
6891
6892
6893
6894
6895
6896
6897
6898
6899
6900
6901
6902
6903
6904
6905
6906
6907
6908
6909
6910
6911
6912
6913
6914
6915
6916
6917
6918
6919
6920
6921
6922
6923
6924
6925
6926
6927
6928
6929
6930
6931
6932
6933
6934
6935
6936
6937
6938
6939
6940
6941
6942
6943
6944
6945
6946
6947
6948
6949
6950
6951
6952
6953
6954
6955
6956
6957
6958
6959
6960
6961
6962
6963
6964
6965
6966
6967
6968
6969
6970
6971
6972
6973
6974
6975
6976
6977
6978
6979
6980
6981
6982
6983
6984
6985
6986
6987
6988
6989
6990
6991
6992
6993
6994
6995
6996
6997
6998
6999
7000
7001
7002
7003
7004
7005
7006
7007
7008
7009
7010
7011
7012
7013
7014
7015
7016
7017
7018
7019
7020
7021
7022
7023
7024
7025
7026
7027
7028
7029
7030
7031
7032
7033
7034
7035
7036
7037
7038
7039
7040
7041
7042
7043
7044
7045
7046
7047
7048
7049
7050
7051
7052
7053
7054
7055
7056
7057
7058
7059
7060
7061
7062
7063
7064
7065
7066
7067
7068
7069
7070
7071
7072
7073
7074
7075
7076
7077
7078
7079
7080
7081
7082
7083
7084
7085
7086
7087
7088
7089
7090
7091
7092
7093
7094
7095
7096
7097
7098
7099
7100
7101
7102
7103
7104
7105
7106
7107
7108
7109
7110
7111
7112
7113
7114
7115
7116
7117
7118
7119
7120
7121
7122
7123
7124
7125
7126
7127
7128
7129
7130
7131
7132
7133
7134
7135
7136
7137
7138
7139
7140
7141
7142
7143
7144
7145
7146
7147
7148
7149
7150
7151
7152
7153
7154
7155
7156
7157
7158
7159
7160
7161
7162
7163
7164
7165
7166
7167
7168
7169
7170
7171
7172
7173
7174
7175
7176
7177
7178
7179
7180
7181
7182
7183
7184
7185
7186
7187
7188
7189
7190
7191
7192
7193
7194
7195
7196
7197
7198
7199
7200
7201
7202
7203
7204
7205
7206
7207
7208
7209
7210
7211
7212
7213
7214
7215
7216
7217
7218
7219
7220
7221
7222
7223
7224
7225
7226
7227
7228
7229
7230
7231
7232
7233
7234
7235
7236
7237
7238
7239
7240
7241
7242
7243
7244
7245
7246
7247
7248
7249
7250
7251
7252
7253
7254
7255
7256
7257
7258
7259
7260
7261
7262
7263
7264
7265
7266
7267
7268
7269
7270
7271
7272
7273
7274
7275
7276
7277
7278
7279
7280
7281
7282
7283
7284
7285
7286
7287
7288
7289
7290
7291
7292
7293
7294
7295
7296
7297
7298
7299
7300
7301
7302
7303
7304
7305
7306
7307
7308
7309
7310
7311
7312
7313
7314
7315
7316
7317
7318
7319
7320
7321
7322
7323
7324
7325
7326
7327
7328
7329
7330
7331
7332
7333
7334
7335
7336
7337
7338
7339
7340
7341
7342
7343
7344
7345
7346
7347
7348
7349
7350
7351
7352
7353
7354
7355
7356
7357
7358
7359
7360
7361
7362
7363
7364
7365
7366
7367
7368
7369
7370
7371
7372
7373
7374
7375
7376
7377
7378
7379
7380
7381
7382
7383
7384
7385
7386
7387
7388
7389
7390
7391
7392
7393
7394
7395
7396
7397
7398
7399
7400
7401
7402
7403
7404
7405
7406
7407
7408
7409
7410
7411
7412
7413
7414
7415
7416
7417
7418
7419
7420
7421
7422
7423
7424
7425
7426
7427
7428
7429
7430
7431
7432
7433
7434
7435
7436
7437
7438
7439
7440
7441
7442
7443
7444
7445
7446
7447
7448
7449
7450
7451
7452
7453
7454
7455
7456
7457
7458
7459
7460
7461
7462
7463
7464
7465
7466
7467
7468
7469
7470
7471
7472
7473
7474
7475
7476
7477
7478
7479
7480
7481
7482
7483
7484
7485
7486
7487
7488
7489
7490
7491
7492
7493
7494
7495
7496
7497
7498
7499
7500
7501
7502
7503
7504
7505
7506
7507
7508
7509
7510
7511
7512
7513
7514
7515
7516
7517
7518
7519
7520
7521
7522
7523
7524
7525
7526
7527
7528
7529
7530
7531
7532
7533
7534
7535
7536
7537
7538
7539
7540
7541
7542
7543
7544
7545
7546
7547
7548
7549
7550
7551
7552
7553
7554
7555
7556
7557
7558
7559
|
2013-01-09 Jiri Vanek <jvanek@redhat.com>
First part of fix of recreating desktop icon
* NEWS: mentioned PR725
* netx/net/sourceforge/jnlp/runtime/ApplicationInstance.java:
(addMenuAndDesktopEntries)added check for already existing icon
* netx/net/sourceforge/jnlp/util/XDesktopEntry.java: Added methods for
digging the already existing icon from system
(getShortcutTmpFile) tmpfile fo generating the desktop icon
(getDesktopIconName) for getting filename from application title
(findFreedesktopOrgDesktopPathCatch) public method to find final desktop file
(findFreedesktopOrgDesktopPath) to get into ~/.config/user-dirs.dirs
(getFreedesktopOrgDesktopPathFrom) to find XDG_DESKTOP_DIR value
(filterQuotes) to handle simple quotations
(evaluateLinuxVariables) to handle possible variables in XDG_DESKTOP_DIR
value
* tests/netx/unit/net/sourceforge/jnlp/util/XDesktopEntryTest.java:
New tests focused on parsing of desktop location from stream (variables
and quotations)
2013-01-09 Jiri Vanek <jvanek@redhat.com>
Logging methods made synchronized
* tests/test-extensions/net/sourceforge/jnlp/LoggingBottleneck.java:
(processLogs) (getDefaultLoggingBottleneck) (writeXmlLog) (addToXmlLog)
(modifyMethodWithForBrowser) (setLoggedBrowser) (logIntoPlaintextLog)
made synchronised
2013-01-07 Deepak Bhole <dbhole@redhat.com>
* netx/net/sourceforge/jnlp/resources/Messages.properties: Converted to
Unix format.
2013-01-04 Adam Domurad <adomurad@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletSecurityContext.java:
Code-formatting fixes and cosmetic changes.
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java:
Same.
* tests/reproducers/simple/JSObjectFromEval/srcs/JSObjectFromEval.java:
Same.
* tests/reproducers/simple/JSObjectFromEval/testcases/JSObjectFromEvalTest.java:
Same.
2013-01-03 Adam Domurad <adomurad@redhat.com>
Fix breakage in unit test CodeBaseClassLoaderTest.testParentClassLoaderIsAskedForClassesApplication
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(CodeBaseClassLoader#findClassNonRecursive): New, call into
URLClassLoader#findClass
(CodeBaseClassLoader#findClass): Delegate JNLPClassLoader#findClass
(JNLPClassLoader#findClass): Call CodeBaseClassLoader#findClassNonRecursive
* tests/reproducers/custom/AppletExtendsFromOutsideJar/srcs/AppletReferenceOutOfJar.java
(init): Add applet finish message.
* tests/reproducers/custom/AppletExtendsFromOutsideJar/testcases/AppletExtendsFromOutsideJarTests.java
(testClassInAppletFolder): Close quickly on applet finish message.
2013-01-02 Jiri Vanek <jvanek@redhat.com>
Fixed unittest for InformationElement.
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/parts/InformationElementTest.java:
(createFromJNLP) now asserts NotNull instead of IsNull as result of
"Minor fix for possible NPE (non fatal) during splashscreen creation"
2012-12-21 Adam Domurad <adomurad@redhat.com>
* plugin/icedteanp/IcedTeaNPPlugin.cc: Remove need for 'goto' in
(NP_Initialize). Check TMPDIR environment variable for possible data
directory. Expose some previously static variables/functions for unit
testing purposes. Reduce need for explicit allocations for strings
'data_directory' and 'appletviewer_executable'.
* tests/cpp-unit-tests/IcedTeaNPPluginTest.cc:
Add some basic tests for functions in IcedTeaNPPlugin.cc.
2012-12-21 Jiri Vanek <jvanek@redhat.com>
* netx/net/sourceforge/jnlp/runtime/ApplicationInstance.java
(shouldCreateShortcut) added handling of xtrustall during asking for
desktop icon creation
2012-12-21 Jiri Vanek <jvanek@redhat.com>
Minor fix for possible NPE (non fatal) during splashscreen creation
* netx/net/sourceforge/jnlp/resources/Messages.properties:
* netx/net/sourceforge/jnlp/resources/Messages_cs_CZ.properties:
Added messages for user (SPLASHdefaultHomepage)
(SPLASHerrorInInformation)(SPLASHmissingInformation).
* netx/net/sourceforge/jnlp/splashscreen/parts/InformationElement.java
(createFromJNLP) catch of NPE replaced by conditions with proper messages.
2012-12-21 Jiri Vanek <jvanek@redhat.com>
Forgotten condition for AviationWeather first run:
* tests/reproducers/custom/remote/testcases/RemoteApplicationSettings.java:
(AviationWeather) added condition for first run when creation of
FileManager is written to stderr.
2012-12-20 Saad Mohammad <smohammad@redhat.com>
* tests/netx/unit/net/sourceforge/jnlp/cache/ResourceTrackerTest.java:
Added test and changes to work better with PR909 fix.
2012-12-20 Saad Mohammad <smohammad@redhat.com>
Fix PR909 - URL is invalid after normalization.
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java (normalizeUrl):
Converts the URL to an URI object which handles all percent encodings.
2012-12-20 Adam Domurad <adomurad@redhat.com>
* plugin/icedteanp/IcedTeaScriptablePluginObject.cc
(IcedTeaScriptableJavaObject::deAllocate): Fix memory leak
(IcedTeaScriptableJavaPackageObject::deAllocate): Fix memory leak
2012-12-20 Adam Domurad <adomurad@redhat.com>
* tests/cpp-unit-tests/browser_mock.cc
(mock_retainobject): New, mocks behaviour of NPAPI retainobject
(mock_releaseobject): New, mocks behaviour of NPAPI releaseobject
* tests/cpp-unit-tests/main.cc: Add warning of memory leak based on
operator-new.
* tests/cpp-unit-tests/IcedTeaScriptablePluginObjectTest.cc: New, tests
for memory leak in (IcedTeaScriptableJavaObject::deAllocate) and
(IcedTeaScriptableJavaPackageObject::deAllocate)
* tests/cpp-unit-tests/checked_allocations.h: Defines set that does not
use operator-new, to prevent recursion in overloaded operator-new
* tests/cpp-unit-tests/checked_allocations.cc: Operator new overload
that has allocation-set for querying live allocations.
2012-12-20 Jiri Vanek <jvanek@redhat.com>
Added and applied Remote annotation, added Remote tests:
* tests/report-styles/jreport.xsl: and
* tests/junit-runner/JunitLikeXmlOutputListener: and
* tests/junit-runner/LessVerboseTextListener.java: added handling of
Remote annotation
* tests/netx/unit/net/sourceforge/jnlp/runtime/CodeBaseClassLoaderTest.java:
Tests downloading from classpath.org marked.
* tests/reproducers/custom/remote/testcases/RemoteApplicationSettings.java:
new file, handling url and evaluations of remote reproducers
* tests/reproducers/custom/remote/testcases/RemoteApplicationTests.java:
launcher for remote tests.
* tests/test-extensions/net/sourceforge/jnlp/annotations/Remote.java:
Implementation of Remote annotation
2012-12-18 Jiri Vanek <jvanek@redhat.com>
Cleaned unit-tests:
* tests/netx/unit/net/sourceforge/jnlp/runtime/CodeBaseClassLoaderTest.java:
(DummyJNLPFile) class extracted from its anonymous members to private
named member. Get rid of repeated methods (testResourceLoad*Caching) and
replace it by (testResourceCaching) with parameter of full name and boolean
keeping its expected existence and branching null assert on it. Added tests
(testClassResourceLoadSuccessCachingApplication) and
(testClassResourceLoadSuccessCachingApplet). (testResourceCaching) made
less vulnerable by found classes and more precise. All resources paths
fixed and clarified (to be found or not)
2012-12-18 Jana Fabrikova <jfabriko@redhat.com>
* /tests/test-extensions/net/sourceforge/jnlp/ServerAccess.java:
Added several new versions of method (executeBrowser) with lists
of ContentReaderListeners as arguments.
* /tests/test-extensions/net/sourceforge/jnlp/ProcessWrapper.java:
Added new versions of the (constructor of ProcessWrapper) and methods
(addStdOutListeners) and (addStdErrListeners) for adding
ContentReaderListeners using List<ContentReaderListener>
instead of one ContentReaderListener as argument.
Added a new version of (constructor of ProcessWrapper) with
less arguments that is used instead of calling the constructor
with several arguments passed as null, thus causing ambiguity.
* /tests/reproducers/simple/SingeInstanceServiceTest/testcases/SingleInstanceTest.java:
Modified the call of (executeBrowser) method with null arguments
into a call of new method without the null arguments
-getting rid of an ambiguous call.
2012-12-11 Jiri Vanek <jvanek@redhat.com>
Added jacoco code coverage support
* Makefile.am: (JACOCO_*) bunch of new variables encapsulating jacoco
files. (PLUGIN_COVERAGE_BOOTCLASSPATH) classpath to be used in plugin
instead of normal one in coverage mode. (COVERABLE_PLUGIN_DIR) for
compiling plugin with agent on. (jacoco-operator-source-files.txt) for
storing files of reporting tool. All XSLTPROC command were done as non-fatal
(stamps/compile-jacoco-operator.stamp) for compiling report operator.
(stamps/run-unit-test-code-coverage-jacoco.stam) for cover unittests
Set of (COVERABLE_PLUGIN_*) targets to compile plugin with agent on.
(stamps/build-fake-plugin.stamp) top level target for fake plugin.
(stamps/run-reproducers-test-code-coverage-jacoco.stamp) target for
cover reproducers. (run-test-code-coverage-jacoco) for merged coverage
(clean-unit-test-code-coverage-jacoco) and
(clean-reproducers-test-code-coverage-jacoco) and
(clean-test-code-coverage-jacoco) and
(clean-test-code-coverage-tools-jacoco) cleaning targets.
(run-reproducers-test-code-coverage-jacoco) and
(run-unit-test-code-coverage-jacoco) as top level aliases.
* configure.ac: added check for jacoco library and asm library
* plugin/icedteanp/IcedTeaNPPlugin.cc removed duplicate code
(plugin_start_appletviewe) removed duplicated code and added handling of
java agent if defined.
* tests/jacoco-operator/org/jacoco/operator/Main.java : New class,
comamndline tool for merging results and for generating reports.
* tests/jacoco-operator/org/jacoco/operator/MergeTask.java: New class.
Utility class responsible for merging exec results to one exec file.
* tests/jacoco-operator/org/jacoco/operator/ReportGenerator: New class.
Utility method for gathering sources and builds and outputing xml and
html reports.
2012-12-11 Adam Domurad <adomurad@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginParameterParser.java:
Remove left-in System.out
2012-12-10 Saad Mohammad <smohammad@redhat.com>
Add unit tests for PR1189.
* tests/netx/unit/net/sourceforge/jnlp/PluginParametersTest.java:
(testConstructorWithNoCodeAndObjectParam): Initialize PluginParameters
without code/object parameters.
(testConstructorWithOnlyJnlpHrefParam): Initialize PluginParameters with
jnlp_href but no code/object parameters.
2012-12-10 Saad Mohammad <smohammad@redhat.com>
Add reproducer for PR1189.
* tests/reproducers/simple/AppletTagWithMissingCodeAttribute/resources/AppletTagWithMissingCodeAttribute.html:
Simple webpage which contains an applet tag with no code attribute.
* tests/reproducers/simple/AppletTagWithMissingCodeAttribute/resources/AppletTagWithMissingCodeAttribute.jnlp:
Jnlp file that is used by the webpages using jnlp_href.
* tests/reproducers/simple/AppletTagWithMissingCodeAttribute/testcases/AppletTagWithMissingCodeAttribute.java:
Testcase that tests applets without code attribute in html pages.
* tests/reproducers/simple/SimpleApplet/srcs/SimpleApplet.java:
Simple applet class that outputs a string.
2012-12-10 Saad Mohammad <smohammad@redhat.com>
Fix PR1189: Icedtea-plugin requires code attribute when using jnlp_href.
* netx/net/sourceforge/jnlp/PluginParameters.java (PluginParameters):
Updated if condition to prevent PluginParameterException from being thrown
if applet tag contains jnlp_href but is missing code/object parameters.
2012-12-06 Adam Domurad <adomurad@redhat.com>
* Makefile.am: Fix targets stamps/netx-unit-tests-compile.stamp and
stamps/run-netx-unit-tests.stamp to not rely on installed directory.
2012-12-05 Saad Mohammad <smohammad@redhat.com>
Added new option in itw-settings which allows users to set JVM
arguments when plugin is initialized.
* netx/net/sourceforge/jnlp/config/Defaults.java (getDefaults):
Added defaults for DeploymentConfiguration.KEY_PLUGIN_JVM_ARGUMENTS.
* netx/net/sourceforge/jnlp/config/DeploymentConfiguration.java:
Added new property (KEY_PLUGIN_JVM_ARGUMENTS) which stores the value of
JVM plugin arguments.
* netx/net/sourceforge/jnlp/controlpanel/ControlPanel.java:
(createMainSettingsPanel): Added JVM settings to the list of tabs.
(createJVMSettingsPanel): Returns a new JVMPanel object.
* netx/net/sourceforge/jnlp/controlpanel/JVMPanel.java:
JVM settings panel.
* netx/net/sourceforge/jnlp/resources/Messages.properties:
Added a new items (CPJVMPluginArguments, CPHeadJVMSettings,
CPTabJVMSettings).
* plugin/icedteanp/IcedTeaNPPlugin.cc:
(plugin_start_appletviewer): Adds JVM arguments to the commands line list.
(get_jvm_args): Returns JVM arguments set in itw-settings.
* plugin/icedteanp/IcedTeaPluginUtils.cc:
(IcedTeaPluginUtilities::vectorStringToVectorGchar): New helper method
which returns a vector of gchar* from the vector of strings passed.
* plugin/icedteanp/IcedTeaPluginUtils.h:
Declaration of IcedTeaPluginUtilities::vectorStringToVectorGchar.
2012-12-05 Pavel Tisnovsky <ptisnovs@redhat.com>
* Makefile.am: Avoid warning message printed in clean target if
softkiller is not compiled.
2012-12-04 Adam Domurad <adomurad@redhat.com>
* netx/net/sourceforge/jnlp/resources/Messages.properties:
"An serious exception have occured" -> "A serious exception occurred"
2012-12-04 Adam Domurad <adomurad@redhat.com>
PluginAppletViewer refactoring.
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java
(handleInitializationMessage): New, extracts initialization logic
from PluginAppletViewer.handleMessage.
* plugin/icedteanp/java/sun/applet/PluginAppletPanelFactory.java: Moved
into own file.
2012-12-04 Adam Domurad <adomurad@redhat.com>
Remove the applet/embed/object tag parser from ITW. Send the applet
parameters directly from the C++.
* Makefile.am: Allow unit-testing for classes in plugin.jar.
* netx/net/sourceforge/jnlp/NetxPanel.java: Use PluginParameters for
attribute lookup
* netx/net/sourceforge/jnlp/PluginBridge.java: Use PluginParameters
for attribute lookup
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add message
for missing code/object attributes.
* netx/net/sourceforge/jnlp/resources/Messages_cs_CZ.properties: Same.
* plugin/icedteanp/IcedTeaNPPlugin.cc: Send escaped parameter
name/values instead of applet tag. Remove some dead code.
* plugin/icedteanp/IcedTeaNPPlugin.h: Rename applet_tag ->
parameters_string.
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java: Extract
parsing code into its own class.
* tests/cpp-unit-tests/IcedTeaPluginUtilsTest.cc: Use CHECK_EQUALS
instead of CHECK.
* tests/netx/unit/net/sourceforge/jnlp/PluginBridgeTest.java: Update
unit tests due to constructor changes.
* netx/net/sourceforge/jnlp/PluginParameterException.java: New, thrown
when code/object attributes are missing.
* netx/net/sourceforge/jnlp/PluginParameters.java: New, Hashtable
wrapper that handles plugin attribute/parameter lookups.
* plugin/icedteanp/java/sun/applet/PluginParameterParser.java: New,
creates PluginParameters from escaped name/values.
* tests/cpp-unit-tests/PluginParametersTest.cc: New, C++ Unit tests for
plugin parameter related functions
* tests/netx/unit/net/sourceforge/jnlp/PluginParametersTest.java: New,
unit tests for PluginParameters class.
* tests/netx/unit/sun/applet/PluginParameterParserTest.java: New, unit
tests for PluginParameterParser class.
2012-11-03 Jiri Vanek <jvanek@redhat.com>
Fixed logging bottleneck
* tests/test-extensions/net/sourceforge/jnlp/LoggingBottleneck.java:
added and used function (clearChars) which filter characters going to xml
from invalid ones.
* tests/test-extensions/net/sourceforge/jnlp/ServerAccess: getting test
method id by (getTestMethod) now relay on physical way to the class as
the only real thing differing test class and framework class.
2012-12-03 Pavel Tisnovsky <ptisnovs@redhat.com>
* Makefile.am: Added new target for compiling softkiller.
* tests/softkiller/softkiller.c:
Added browser softkiller.
* tests/softkiller/Makefile:
Added makefile used to build and clean browser softkiller.
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/browsers/Firefox.java:
Uncommented code used to close windows.
2012-11-30 Adam Domurad <adomurad@redhat.com>
Breaks up IcedTeaPluginUtilities::javaResultToNPVariant into multiple,
more manageable parts.
* plugin/icedteanp/IcedTeaPluginUtils.cc: Make three helper functions
for the different cases. Two new helper functions for converting from
std::string to NPString and NPVariant.
* plugin/icedteanp/IcedTeaPluginUtils.h: Two new helper functions.
* tests/cpp-unit-tests/IcedTeaPluginUtilsTest.cc: Tests for the new
NPString and NPVariant from std::string functions.
2012-11-30 Adam Domurad <adomurad@redhat.com>
Added a simple mechanism for mocking functions in the browser function
table. Can be expanded as needed.
* tests/cpp-unit-tests/main.cc: Call setup function, warn on browser
function based memory leak.
* tests/cpp-unit-tests/browser_mock.cc: New, implements simple
error-checking mocks of browser callbacks.
* tests/cpp-unit-tests/browser_mock.h: New, interface to mocking
functions.
2012-11-27 Jiri Vanek <jvanek@redhat.com>
Better error reporting from applets
* netx/net/sourceforge/jnlp/NetxPanel.java: (init) ErrorSplash is shown
if fatal exception is cough
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java: (replaceSpalsh)
is rather removing all then just its previous version
* tests/reproducers/simple/AppletTest/srcs/AppletErrorTest.java:
* tests/reproducers/simple/AppletTest/resources/errorAppletAutoTests.html
Testcase for manual testing of various exceptions from applet
2012-11-27 Jiri Vanek <jvanek@redhat.com>
* AUTHORS: added Jan Kmetko as current SplashScreen artwork author
2012-11-27 Jiri Vanek <jvanek@redhat.com>
Fixed epiphany switch
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/browsers/Epiphany.java:
-new-tab fixed to --new-tab
2012-11-23 Jiri Vanek <jvanek@redhat.com>
Firefox session-backup and stubs for softkiller, multiple listeners,
processes handling moved to separate class.
* tests/reproducers/simple/AppletTest/testcases/AppletTestTests.java:
Removed unwanted assert on termination
* tests/test-extensions/net/sourceforge/jnlp/ContentReader.java:
Added support for multiple listeners.
* tests/test-extensions/net/sourceforge/jnlp/ProcessAssasin.java:
(destroyProcess()), non static wrapper around former (destroyProcess
(process)), introducing marks that process is being killed, added setter
for reactigProcess.
* tests/test-extensions/net/sourceforge/jnlp/ProcessWrapper.java:
Wrapper around former ServerAccess.executeProcess set of methods.
* tests/test-extensions/net/sourceforge/jnlp/ServerAccess.java: all
executeProcess/Javaws/Browser are now just api compatibility methods
around ProcessWrapper.
(executeProcess) main method moved to ProcessWrapper.execute.
* tests/test-extensions/net/sourceforge/jnlp/ThreadedProcess.java:
made public and synchronized with ProcessAssasin's (destroyProcess)
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/Browser.java
is now implementing ReactingProcess
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/ReactingProcess.java:
new interface for communication with main events of ThreadedProcess lifecycle.
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/browsers/Firefox.java:
is containing singleton of FirefoxProfilesOperator (FPO) and is responding to
(beforeProcess) by FPO's (backupingProfiles), to (beforeKill) by calling
ProcessAssasin's (closeWindows), and to (afterKill) by FPO's (restoreProfiles)
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/browsers/firefox/FirefoxProfilesOperator.java:
New class to backup and restore firefox profiles.
2012-11-21 Adam Domurad <adomurad@redhat.com>
* Makefile.am: Fix new clean targets not cleaning properly
2012-11-21 Adam Domurad <adomurad@redhat.com>
Support for C++ unit testing with UnitTest++ for IcedTeaWeb.
* tests/cpp-unit-tests/IcedTeaPluginUtilsTest.cc: New, contains tests
for utility functions.
* tests/cpp-unit-tests/main.cc: New, contains unit test runner.
* plugin/icedteanp/IcedTeaPluginUtils.h: Remove incorrect circular
include dependency
* plugin/icedteanp/IcedTeaRunnable.h: Add includes necessary for
self-sustaining header.
* Makefile.am: Add targets for unit test compilation and running,
eg 'make run-cpp-unit-tests'.
2012-11-21 Adam Domurad <adomurad@redhat.com>
Add the source code to UnitTest++ into the project.
* tests/UnitTest++/COPYING: Part of UnitTest++
* tests/UnitTest++/Makefile: Part of UnitTest++
* tests/UnitTest++/README: Part of UnitTest++
* tests/UnitTest++/src/AssertException.cpp: Part of UnitTest++
* tests/UnitTest++/src/AssertException.h: Part of UnitTest++
* tests/UnitTest++/src/CheckMacros.h: Part of UnitTest++
* tests/UnitTest++/src/Checks.cpp: Part of UnitTest++
* tests/UnitTest++/src/Checks.h: Part of UnitTest++
* tests/UnitTest++/src/Config.h: Part of UnitTest++
* tests/UnitTest++/src/CurrentTest.cpp: Part of UnitTest++
* tests/UnitTest++/src/CurrentTest.h: Part of UnitTest++
* tests/UnitTest++/src/DeferredTestReporter.cpp: Part of UnitTest++
* tests/UnitTest++/src/DeferredTestReporter.h: Part of UnitTest++
* tests/UnitTest++/src/DeferredTestResult.cpp: Part of UnitTest++
* tests/UnitTest++/src/DeferredTestResult.h: Part of UnitTest++
* tests/UnitTest++/src/ExecuteTest.h: Part of UnitTest++
* tests/UnitTest++/src/MemoryOutStream.cpp: Part of UnitTest++
* tests/UnitTest++/src/MemoryOutStream.h: Part of UnitTest++
* tests/UnitTest++/src/Posix/SignalTranslator.cpp: Part of UnitTest++
* tests/UnitTest++/src/Posix/SignalTranslator.h: Part of UnitTest++
* tests/UnitTest++/src/Posix/TimeHelpers.cpp: Part of UnitTest++
* tests/UnitTest++/src/Posix/TimeHelpers.h: Part of UnitTest++
* tests/UnitTest++/src/ReportAssert.cpp: Part of UnitTest++
* tests/UnitTest++/src/ReportAssert.h: Part of UnitTest++
* tests/UnitTest++/src/Test.cpp: Part of UnitTest++
* tests/UnitTest++/src/Test.h: Part of UnitTest++
* tests/UnitTest++/src/TestDetails.cpp: Part of UnitTest++
* tests/UnitTest++/src/TestDetails.h: Part of UnitTest++
* tests/UnitTest++/src/TestList.cpp: Part of UnitTest++
* tests/UnitTest++/src/TestList.h: Part of UnitTest++
* tests/UnitTest++/src/TestMacros.h: Part of UnitTest++
* tests/UnitTest++/src/TestReporter.cpp: Part of UnitTest++
* tests/UnitTest++/src/TestReporter.h: Part of UnitTest++
* tests/UnitTest++/src/TestReporterStdout.cpp: Part of UnitTest++
* tests/UnitTest++/src/TestReporterStdout.h: Part of UnitTest++
* tests/UnitTest++/src/TestResults.cpp: Part of UnitTest++
* tests/UnitTest++/src/TestResults.h: Part of UnitTest++
* tests/UnitTest++/src/TestRunner.cpp: Part of UnitTest++
* tests/UnitTest++/src/TestRunner.h: Part of UnitTest++
* tests/UnitTest++/src/TestSuite.h: Part of UnitTest++
* tests/UnitTest++/src/TimeConstraint.cpp: Part of UnitTest++
* tests/UnitTest++/src/TimeConstraint.h: Part of UnitTest++
* tests/UnitTest++/src/TimeHelpers.h: Part of UnitTest++
* tests/UnitTest++/src/UnitTest++.h: Part of UnitTest++
* tests/UnitTest++/src/XmlTestReporter.cpp: Part of UnitTest++
* tests/UnitTest++/src/XmlTestReporter.h: Part of UnitTest++
2012-11-21 Adam Domurad <adomurad@redhat.com>
* plugin/icedteanp/IcedTeaNPPlugin.cc
(consume_plugin_message): Free two buffers returned from NPN_GetValueForURL function.
2012-11-20 Jiri Vanek <jvanek@redhat.com>
* Makefile.am: (stamps/run-netx-dist-tests.stamp) and
(stamps/run-netx-unit-tests.stamp) Swapped logs and report xslt operations
2012-11-20 Jana Fabrikova <jfabriko@redhat.com>
* tests/reproducers/simple/JSToJGet/testcases/JSToJGetTest.java:
added @KnownToFail annotations to the tests, which are showing
unimplemented/broken features of js-plugin communication.
2012-11-13 Adam Domurad <adomurad@redhat.com>
Reproducer for PR1198, JSObject#eval creates invalid JS object.
* tests/reproducers/simple/JSObjectFromEval/resources/JSObjectFromEval.html:
Loads applet + JS for test
* tests/reproducers/simple/JSObjectFromEval/resources/JSObjectFromEval.js:
Calls java code to test JSObject#eval
* tests/reproducers/simple/JSObjectFromEval/srcs/JSObjectFromEval.java:
Provides java<->JS wrappers for JSObject methods
* tests/reproducers/simple/JSObjectFromEval/testcases/JSObjectFromEvalTest.java:
Tests if JSObject#eval creates valid JSObject.
2012-11-13 Saad Mohammad <smohammad@redhat.com>
Fix PR1166: Embedded JNLP File is not supported in applet tag.
* configure.ac: Checks for sun.misc.BASE64Decoder.
* NEWS: Added entry for PR1166.
* netx/net/sourceforge/jnlp/JNLPFile.java (JNLPFile):
New constructor which accepts inputstream of jnlp file and a
specified codebase.
* netx/net/sourceforge/jnlp/Parser.java (Parser): If parsing of
codebase fails, it will overwrite the codebase with the one passed
in through parameters.
* netx/net/sourceforge/jnlp/PluginBridge.java:
(PluginBridge) Supports embedded jnlp file.
(decodeBase64String) Decodes Base64 strings to byte array.
2012-11-13 Saad Mohammad <smohammad@redhat.com>
Added unit tests for PR1166.
* tests/netx/unit/net/sourceforge/jnlp/JNLPFileTest.java:
Tests the JNLPFile constructor that accepts an InputStream and an alternative codebase.
* tests/netx/unit/net/sourceforge/jnlp/ParserTest.java:
Tests if the constructor handles the alternative codebase parameter correctly.
* tests/netx/unit/net/sourceforge/jnlp/PluginBridgeTest.java:
Tests if BASE64 strings are decoded correctly and if PluginBridge is constructed with an
embedded jnlp.
2012-11-13 Saad Mohammad <smohammad@redhat.com>
Added reproducer for PR1166.
* tests/reproducers/simple/EmbeddedJnlpInApplet/resources/EmbeddedJnlp.jnlp:
Launching jnlp file that is used by jnlp_href in applet tag
* tests/reproducers/simple/EmbeddedJnlpInApplet/resources/EmbeddedJnlpInAppletNoCodebase.html:
Applet with an embedded jnlp file with no codebase specified
* tests/reproducers/simple/EmbeddedJnlpInApplet/resources/EmbeddedJnlpInAppletWithDotCodebase.html:
Applet with an embedded jnlp file with codebase set as a 'dot'
* tests/reproducers/simple/EmbeddedJnlpInApplet/resources/JnlpInApplet.html:
Applet with jnlp_href file.
* tests/reproducers/simple/EmbeddedJnlpInApplet/srcs/EmbeddedJnlp.java:
Simple class that outputs strings.
* tests/reproducers/simple/EmbeddedJnlpInApplet/testcases/EmbeddedJnlpInAppletTest.java:
Testcase that tests embedded jnlps in html pages.
2012-11-08 Saad Mohammad <smohammad@redhat.com>
* NEWS: Added entry for PR1027 - DownloadService is not supported by
IcedTea-Web.
2012-11-08 Saad Mohammad <smohammad@redhat.com>
Added reproducer for DownloadService.
* tests/reproducers/signed/DownloadService/resources/DownloadService.jnlp:
Launching jnlp file that contains extension jnlp and jars marked with part names.
* tests/reproducers/signed/DownloadService/resources/DownloadServiceExtension.jnlp:
DownloadService extension jnlp file with jars marked with part names.
* tests/reproducers/signed/DownloadService/srcs/DownloadServiceRunner.java:
A simple class that uses DownloadService to complete tasks and outputs the results.
* tests/reproducers/signed/DownloadService/testcases/DownloadServiceTest.java:
Testcase for DownloadService.
2012-11-08 Saad Mohammad <smohammad@redhat.com>
Core implementation of DownloadService.
* netx/net/sourceforge/jnlp/cache/CacheUtil.java (getCacheParentDirectory):
Returns the parent directory of the cached resource.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
(getLoaders): Returns all loaders that this loader uses, including
itself
(addNewJar): Adds a new jar to the classloader with specified
UpdatePolicy.
(removeJars): Remove jars from the filesystem.
(initializeNewJarDownload): Downloads and initializes jars into the
current loader.
(manageExternalJars): Manages jars which are not mentioned in the
JNLP file.
* netx/net/sourceforge/jnlp/runtime/LocateJnlpClassLoader.java:
(getLoaderByJnlpFile): Returns the classloader of the jnlp file
specified.
(getLoaderByResourceUrl): Returns the classloader that contains the
specified jar.
* netx/net/sourceforge/jnlp/runtime/ManageJnlpResources.java:
(findJars): Returns jars from the JNLP file with the specified
partname.
(removeCachedJars): Removes jar from cache.
(downloadJars): Downloads jars identified by part name.
(loadExternalResouceToCache): Download and initalize resources which
are not mentioned in the jnlp file.
(removeExternalCachedResource): Removes resources from cache which
are not mentioned in the jnlp file.
(isExternalResourceCached): Determines if the resource that is not
mentioned in the jnlp file is cached and returns a boolean with the
result.
* netx/net/sourceforge/jnlp/services/XDownloadService.java:
Core implementation of DownloadService.
2012-11-02 Jiri Vanek <jvanek@redhat.com>
Alexandr Kolouch <skolnag@gmail.com>
Added cz_CS locales with test
* AUTHORS: added translator, mr. Kolouch
* NEWS: mentioned localization
* netx/net/sourceforge/jnlp/resources/Messages_cs_CZ.properties: file
itself with translation
* tests/reproducers/simple/LocalesTest/testcases/LocalesTestTest.java:
Test which is testing whether and how locales are applied.
2012-11-02 Jiri Vanek <jvanek@redhat.com>
Splashscreen integrated to javaws and plugin
* Makefile.am: (edit_launcher_script) added JAVAWS_SPLASH_LOCATION
substitution for installed javaws_splash.png.
(install-exec-loca) added installation of javaws_splash.png.
* NEWS: mentioned splashscreen
* launcher/javaws.in: added SPLASH_LOCATION, as path to image with "java"
splash which s then shown until internal vector one appear.
* netx/net/sourceforge/jnlp/GuiLaunchHandler.java: splashScreen made volatile,
(launchInitialized) splashscreen is created and shown
* netx/net/sourceforge/jnlp/JNLPSplashScreen.java: (setSplashImageURL)
splash bg image is loaded from given url or default is used if not found
or not specified by jnlp/applet. (correctSize) width is calculated from
bg image or default is used when no image set. Splash is centered to
primary monitor.
* netx/net/sourceforge/jnlp/Launcher.java: (launchApplet) and
(launchApplication) enriched by handling of splashs.
(launchError) overloaded and is now handling forwarding of errors to
splash. All relevant calls of launchError enriched by appletInstance.
* netx/net/sourceforge/jnlp/NetxPanel.java: is now implementing
SplashController.This is done by setting and wrapping of splashController
variable.
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java: is now handling
splashscreen for applets in browsers.
(framePanel) is now providing panel to be processed (PluginAppletViewer)
is now invoking SplashCreator. (replaceSplash) new method which replace
splashscreen with error splashscreen. (removeSplash) new method to remove
splash when loading is done. (update) is added to call paint directly
(SplashCreator) new internal runnable to create splash
* tests/reproducers/simple/CountingApplet1/resources/ParallelAppletsTest_1_x_2.html:
second jar made XslowX to track two FIXME introduced in this patch -
Launcher's createApplet and PluginAppletViewer's framePanel.
* netx/javaws_splash.png: Binary image to be shown before java is launched
* tests/reproducers/simple/simpletest1/resources/netxPlugin.png: Binary image
to ne used for testing custom splashscreens
2012-10-31 Jana Fabrikova <jfabriko@redhat.com>
*tests/reproducers/simple/JSToJGet/testcases/JSToJGetTest.java:
Modifying the testcase output to a simpler text.
*tests/reproducers/simple/JSToJSet/testcases/JSToJSetTest.java:
Modifying the testcase output to a simpler text.
2012-10-29 Omair Majid <omajid@redhat.com>
* tests/reproducers/signed/DeploymentPropertiesAreExposed/resources/DeploymentPropertiesAreExposed.jnlp,
* tests/reproducers/signed/DeploymentPropertiesAreExposed/srcs/Test.java,
* tests/reproducers/signed/DeploymentPropertiesAreExposed/testcases/DeploymentPropertiesAreExposedTest.java:
New files.
2012-10-29 Omair Majid <omajid@redhat.com>
PR1186
* netx/net/sourceforge/jnlp/config/DeploymentConfiguration.java:
(load(boolean)): Delegate to load(File,File,boolean).
(load(File,File,boolean)): New method.
(copyTo): New method.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java:
(initialize): Copy configuration to system properties.
* tests/netx/unit/net/sourceforge/jnlp/config/DeploymentConfigurationTest.java:
New File.
2012-10-29 Jana Fabrikova <jfabriko@redhat.com>
* tests/reproducers/simple/JSToJSet
Added reproducer for testing LiveConnect - setting Java members from JavaScript side
2012-10-26 Jiri Vanek <jvanek@redhat.com>
Added clipboard reproducers (PR708)
* tests/reproducers/signed/ClipboardContentSigned/resources/ClipboardContentSignedCopy1.jnlp:
Jnlp to invoke manual copying to clipboard on signed app, please note
the delayed death of application
* tests/reproducers/signed/ClipboardContentSigned/resources/ClipboardContentSignedCopy2.jnlp:
Jnlp to invoke jtextfield like copying signed app, please note the
delayed death of application
* tests/reproducers/signed/ClipboardContentSigned/resources/ClipboardContentSignedPaste1.jnlp:
Jnlp to invoke manual pasting on signed application
* tests/reproducers/signed/ClipboardContentSigned/resources/ClipboardContentSignedPaste2.jnlp:
Jnlp to invoke jtextfield like pasting on signed application
* tests/reproducers/signed/ClipboardContentSigned/srcs/ClipboardContentSigned.java:
Application which is trying to access clipboard by various ways.
* tests/reproducers/signed/ClipboardContentSigned/testcases/ClipboardContentSignedTests.java:
Automated tests for four above jnlps.
* tests/reproducers/simple/ClipboardContent/resources/ClipboardContentCopy1.jnlp:
Jnlp to invoke manual copying to clipboard on unsigned app, please note
the delayed death of application
* tests/reproducers/simple/ClipboardContent/resources/ClipboardContentCopy2.jnlp:
Jnlp to invoke jtextfield like copying unsigned app, please note the
delayed death of application
* tests/reproducers/simple/ClipboardContent/resources/ClipboardContentPaste1.jnlp:
Jnlp to invoke manual pasting on unsigned application
* tests/reproducers/simple/ClipboardContent/resources/ClipboardContentPaste2.jnlp:
Jnlp to invoke jtextfield like pasting on unsigned application
* tests/reproducers/simple/ClipboardContent/srcs/ClipboardContent.java:
Application which is trying to access clipboard by various ways.
* tests/reproducers/simple/ClipboardContent/testcases/ClipboardContentTests.java:
Automated tests for first and third of above four jnlps. The tests of
second and fourth is disabled due to necessary manual interaction
* tests/test-extensions/net/sourceforge/jnlp/tools/WaitingForStringProcess.java:
Utility class for process waiting for some string for another string
* tests/test-extensions/net/sourceforge/jnlp/tools/ClipboardHelpers.java
Utility class for copying/pasting text to/from clipboard
* tests/test-extensions/net/sourceforge/jnlp/tools/AsyncJavaws.java
Utility class for launching javaws in separate thread.
2012-10-23 Jiri Vanek <jvanek@redhat.com>
KnownToFail texts are now bold in html report
* tests/report-styles/jreport.xsl: all text outputs of
test="@known-to-fail=true" conditions are marked with <b>.
2012-10-19 Adam Domurad <adomurad@redhat.com>
* tests/reproducers/custom/AdditionalJarsInMetaInfIndexList/testcases/AdditionalJarsInMetaInfIndexListTests.java
(SignedMetaInfIndexListTest): Add @KnownToFail annotation
2012-10-19 Jiri Vanek <jvanek@redhat.com>
Renamed reproducers-related variables and targets
* Makefile.am:
NETX_TEST_DIR - new parent directory variable for tests
NETX_UNIT_TEST_DIR - is now using this variable
JNLP_TESTS_ENGINE_SRCDIR -> TEST_EXTENSIONS_SRCDIR
JNLP_TESTS_ENGINE_TESTS_SRCDIR -> TEST_EXTENSIONS_TESTS_SRCDIR
JNLP_TESTS_SRCDIR -> REPRODUCERS_TESTS_SRCDIR
JNLP_TESTS_ENGINE_DIR -> TEST_EXTENSIONS_DIR
JNLP_TESTS_ENGINE_TESTS_DIR -> TEST_EXTENSIONS_TESTS_DIR
new variable TEST_EXTENSIONS_COMPATIBILITY_SYMLINK still pointing to $(TESTS_DIR)/netx/jnlp_testsengine
$(TESTS_DIR)/jnlp_testsengine now points to $(TESTS_DIR)/test-extensions
JNLP_TESTS_SERVER_DEPLOYDIR -> REPRODUCERS_TESTS_SERVER_DEPLOYDIR
JNLP_TESTS_DIR -> REPRODUCERS_BUILD_DIR
netx-dist-tests-source-files.txt -> test-extensions-source-files.txt
stamps/netx-dist-tests-compile.stamp -> stamps/test-extensions-compile.stamp
stamps/netx-dist-tests-tests-compile.stamp -> stamps/test-extensions-tests-compile.stamp
stamps/netx-dist-tests-compile-testcases.stamp -> stamps/compile-reproducers-testcases.stamp
stamps/netx-dist-tests-copy-resources.stamp -> stamps/copy-reproducers-resources.stamp
* tests/reproducers/custom/AdditionalJarsInMetaInfIndexList/srcs/Makefile: and
* tests/reproducers/custom/AppletExtendsFromOutsideJar/srcs/Makefile: and
* tests/reproducers/custom/AppletFolderInArchiveTag/srcs/Makefile: and
* tests/reproducers/custom/UnsignedContentInMETAINF/srcs/Makefile: following above renaming
2012-10-19 Adam Domurad <adomurad@redhat.com>
Revised multiple signatures test to check for new message. Added more
accurate reproducer for PR822.
* tests/reproducers/signed2/MultipleSignaturesTest/srcs/somecrazytestpackage/MultipleSignaturesTest.java:
Made class take a classname parameter so different out-of-package
classes could be executed.
* tests/reproducers/signed2/MultipleSignaturesTest/resources/MultipleSignaturesTest.html:
Added main-class parameter.
* tests/reproducers/signed2/MultipleSignaturesTest/resources/MultipleSignaturesTest1.jnlp:
Same.
* tests/reproducers/signed2/MultipleSignaturesTest/resources/MultipleSignaturesTest1_requesting.jnlp:
Same.
* tests/reproducers/signed2/MultipleSignaturesTest/resources/MultipleSignaturesTest2.jnlp:
Same.
* tests/reproducers/signed2/MultipleSignaturesTest/testcases/MultipleSignaturesTestTests.java
(multipleSignaturesTestHtmlAppletUsesPermissions): New, tests if fully
signed HTML applets with varied signers can (as they should) execute
with full permissions. Reproduces PR822.
(multipleSignaturesTestJnlpApplicationRequesting): Check for
mismatching signers JNLP failure message. Remove known-to-fail &
inaccurate bug annotation.
* tests/reproducers/signed2/MultipleSignaturesTestSamePackage/testcases/MultipleSignaturesTestTestsSamePackage.java
(multipleSignaturesTestSamePackageJnlpApplicationRequesting): Check for
mismatching signers JNLP failure message. Remove known-to-fail &
inaccurate bug annotation.
2012-10-19 Adam Domurad <adomurad@redhat.com>
Reproduces PR822: Applets fail to load if jars have different signers.
Tests for applets & JNLPs with multiple signers per jar.
* tests/reproducers/signed/ReadPropertiesSigned/srcs/ReadPropertiesSigned.java:
Modified to end with standard applet finish message.
* tests/reproducers/simple/ReadProperties/srcs/ReadProperties.java:
* tests/reproducers/custom/MultipleSignaturesPerJar/README: Explains
dependence on ReadPropertiesSigned.
* tests/reproducers/custom/MultipleSignaturesPerJar/resources/MultipleSignaturesPerJarMatching.html:
HTML applet test with a common signer.
* tests/reproducers/custom/MultipleSignaturesPerJar/resources/MultipleSignaturesPerJarMatching.jnlp:
JNLP test with a common signer.
* tests/reproducers/custom/MultipleSignaturesPerJar/resources/MultipleSignaturesPerJarMismatching.html:
HTML applet test without a common signer.
* tests/reproducers/custom/MultipleSignaturesPerJar/resources/MultipleSignaturesPerJarMismatching.jnlp:
JNLP test without a common signer.
* tests/reproducers/custom/MultipleSignaturesPerJar/srcs/Makefile:
Custom makefile used to sign a jar with multiple signers.
* tests/reproducers/custom/MultipleSignaturesPerJar/srcs/somecrazytestpackage/MultipleSignaturesPerJarMain.java:
Accesses ReadPropertiesSigned from another package with different
signers.
* tests/reproducers/custom/MultipleSignaturesPerJar/testcases/MultipleSignaturesPerJarTests.java:
Test driver.
2012-10-19 Adam Domurad <adomurad@redhat.com>
New message for signer mismatch in JNLP applications.
* netx/net/sourceforge/jnlp/resources/Messages.properties: Added
message 'The JNLP application is not fully signed by a single cert.'
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java: Message
thrown when JNLP's jcv.allJarsSigned() is true but not
jcv.isFullySigned();
2012-10-19 Adam Domurad <adomurad@redhat.com>
Fixes JCV#isTriviallySigned(). Reproducer 'EmptySignedJar' passes
again.
* netx/net/sourceforge/jnlp/tools/JarCertVerifier.java: Remove
problematic 'triviallySigned' variable and instead determine
whether triviallySigned on the fly. Consider jars with 0 signable
entries as SIGNED_OK.
* tests/netx/unit/net/sourceforge/jnlp/tools/JarCertVerifierTest.java:
Update no-signers unit test.
2012-10-19 Adam Domurad <adomurad@redhat.com>
* netx/net/sourceforge/jnlp/security/AppVerifier.java: Use interface
types for declared types where applicable.
* netx/net/sourceforge/jnlp/security/PluginAppVerifier.java: Same.
* netx/net/sourceforge/jnlp/tools/JarCertVerifier.java: Same.
2012-10-19 Adam Domurad <adomurad@redhat.com>
* netx/net/sourceforge/jnlp/security/AppVerifier.java: Use interface
types for declared types where applicable.
* netx/net/sourceforge/jnlp/security/PluginAppVerifier.java: Same.
* netx/net/sourceforge/jnlp/tools/JarCertVerifier.java: Same.
2012-10-19 Danesh Dadachanji <ddadacha@redhat.com>
Rework JarCertVerifier certificate management to handle multiple
certificates and use different algorithms to verify JNLPs and Applets.
* netx/net/sourceforge/jnlp/resources/Messages.properties:
Removed SHasUnsignedEntry.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
Set JCV instance to final but uninitialized.
(JNLPClassLoader): Initialized JCV with runtime dependent verifier.
(addNewJar), (initializeResources), (verifySignedJNLP):
Replaced use of local JarCertVerifier variable with the instance variable.
Added calls to isFullySigned wherever signer verification is done.
(activateJars): No longer verifies nested jars. These receive the same
security permissions as their parent jar, regardless of the nested
jar's signing.
(checkTrustWithUser): Removed JCV param, reimplemented to wrap around
JCV's checkTrustWithUser method.
(verifyJars): Removed.
* netx/net/sourceforge/jnlp/security/AppVerifier.java:
New strategy pattern interface that specifies verification methods
required regardless of the runtime.
* netx/net/sourceforge/jnlp/security/JNLPAppVerifier.java:
* netx/net/sourceforge/jnlp/security/PluginAppVerifier.java:
New strategy pattern classes used to determine which algorithms to use
depending on the runtime.
* netx/net/sourceforge/jnlp/security/CertVerifier.java:
Added CertPath param to all the methods.
(noSigningIssues): Removed.
* netx/net/sourceforge/jnlp/security/CertWarningPane.java:
* netx/net/sourceforge/jnlp/security/CertsInfoPane.java:
* netx/net/sourceforge/jnlp/security/MoreInfoPane.java:
Updated calls to the verifier's methods with the new CertPath param. All
are set to null so far.
* netx/net/sourceforge/jnlp/security/HttpsCertVerifier.java:
Added CertPath param to all the methods. It's mostly ignored though.
* netx/net/sourceforge/jnlp/tools/CertInformation.java:
New class to represent all the information about a signer with
with respect to all of the entries it has signed for the app.
* netx/net/sourceforge/jnlp/tools/JarCertVerifier.java:
Completely reworked to use CertInformation and AppVerifier functionality.
(getCertPath), (getCertInformation), (checkTrustWithUser),
(getJarSignableEntries), (getTotalJarEntries): New method.
(noSigningIssues), (anyJarsSigned): Removed.
(verifyResult): Renamed enum to VerifyResult
(JarCertVerifier): New constructor used to set AppVerifier instance.
(getAlreadyTrustPublisher), (getRootInCacerts): Now uses strategy pattern.
(hasSigningIssues), (getDetails), (checkTrustedCerts), (checkCertUsage):
Now uses cert info class.
(getCerts): Renamed to getCertsList.
(isFullySignedByASingleCert): renamed to isFullySigned and to use
the strategy pattern.
(add): New public method that resets some instance vars and
calls verifyJars.
(verifyJars): Modifier changed to private, above method should be used.
Also skips jars that have been verified before.
(verifyJar): Removed actual verification code, only reads jars into the JVM.
(verifyJarEntryCerts): New method. Does actual verification of jars.
(getPublisher), (getRoot): Use hacky currentlyUsed variable as the signer.
* tests/netx/unit/net/sourceforge/jnlp/tools/JarCertVerifierTest.java:
Unit test JCV's verifyJarEntryCerts method.
* tests/test-extensions/net/sourceforge/jnlp/tools/CodeSignerCreator.java:
Unit test helper that creates CodeSigner instances.
2012-10-16 Adam Domurad <adomurad@redhat.com>
* tests/reproducers/simple/AppletTakesLastParam/srcs/AppletTakesLastParam.java:
Add 'standard' applet closing message.
* tests/reproducers/simple/AppletTakesLastParam/testcases/AppletTakesLastParamTests.java:
Clean-up code and add automatic applet closing on finish.
2012-10-15 Jana Fabrikova <jfabriko@redhat.com>
* tests/reproducers/simple/JSToJGet/testcases/JSToJGetTest.java:
Modified the testcases - more readable method calls.
2012-10-05 Omair Majid <omajid@redhat.com>
PR1145
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(getAccessControlContextForClassLoading): Do not catch
ClassCircularityError.
(findLoadedClassAll): Call findLoadedClass without any special
permissions.
2012-10-03 Jana Fabrikova <jfabriko@redhat.com>
* tests/reproducers/simple/JSToJGet:
Added a new reproducer for the first LiveConnect
test - getting members from Java side.
2012-10-02 Martin Olsson <martin@minimum.se>
* plugin/icedteanp/IcedTeaNPPlugin.cc: Typo fix.
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc: Typo fix.
2012-09-26 Jana Fabrikova <jfabriko@redhat.com>
* tests/test-extensions/net/sourceforge/jnlp/closinglisteners/StringMatchClosingListener.java:
Added forgotten package name.
2012-09-25 Jiri Vanek <jvanek@redhat.com>
Added rules listeners
* tests/test-extensions/net/sourceforge/jnlp/closinglisteners/CountingClosingListener.java:
Base class for closing listeners which is containing complete output in
each time.
* tests/test-extensions/net/sourceforge/jnlp/closinglisteners/Rule.java:
Class with rule definition for RulesFolowingClosingListener
* tests/test-extensions/net/sourceforge/jnlp/closinglisteners/RulesFolowingClosingListener.java:
ClosingListener consisted from rules which all have to match for close action
* tests/test-extensions/net/sourceforge/jnlp/closinglisteners/StringRule.java:
Implementation of rule based on string
* tests/reproducers/signed/AppletTestSigned/testcases/AppletTestSignedTests.java:
* tests/reproducers/simple/AppletTest/testcases/AppletTestTests.java:
Refactored to use Above iisteners.
2012-09-24 Jiri Vanek <jvanek@redhat.com>
Added basic closing listener implementation
* tests/reproducers/signed/AppletTestSigned/resources/AppletTestSigned.html:
removed unnecessary XslowX
* tests/reproducers/signed/AppletTestSigned/resources/AppletTestSigned2.html:
added missing XslowX
* tests/reproducers/signed/AppletTestSigned/srcs/AppletTestSigned.java:
added standard closing sentence
* tests/reproducers/signed/AppletTestSigned/testcases/AppletTestSignedTests.java:
used auto*closing listeners
* tests/test-extensions/net/sourceforge/jnlp/ClosingListener.java:
interface for identifying closing listeners
* tests/test-extensions/net/sourceforge/jnlp/ProcessAssasin.java:
added possibility to set timeout n the fly
* tests/test-extensions/net/sourceforge/jnlp/ServerAccess.java:
(executeBrowser) added shortcut for autoclosing listeners,
(setUpClosingListener) method for setting properties of ClosingListener
(executeBrowser) add logic to handle ClosingListeners
* tests/test-extensions/net/sourceforge/jnlp/closinglisteners/AutoAllClosingListener.java:
listener closing on "APPLET FINISHED" string
* tests/test-extensions/net/sourceforge/jnlp/closinglisteners/AutoErrorClosingListener.java:
listener closing on "xception" match
* tests/test-extensions/net/sourceforge/jnlp/closinglisteners/AutoOkClosingListener.java:
listener closing on both xception and finished string.
* tests/test-extensions/net/sourceforge/jnlp/closinglisteners/StringBasedClosingListener.java:
Base forefather for Auto*ClosingListener
2012-09-24 Jiri Vanek <jvanek@redhat.com>
Jana Fabrikova <jfabriko@redhat.com>
Reproducers are now correctly compiled against liveconect(plugin.jar)
* Makefile.am: (stamps/netx-dist-tests-prepare-reproducers.stamp)
added one more dependency: stamps/liveconnect-dist.stamp
added one more directory on cp: $(abs_top_builddir)/liveconnect
2012-09-17 Deepak Bhole <dbhole@redhat.com>
PR1161: X509VariableTrustManager does not work correctly with OpenJDK7
* Makefile.am: If building with JDK 6, don't build
VariableX509TrustManagerJDK7.
* NEWS: Updated.
* acinclude.m4: In addition to setting VERSION_DEFS, also set HAVE_JAVA7
if building with JDK7.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java (initialize): Use new
getSSLSocketTrustManager() method to get the trust manager.
(getSSLSocketTrustManager): New method. Depending on runtime JRE version,
returns the appropriate trust manager.
* netx/net/sourceforge/jnlp/security/HttpsCertVerifier.java: Removed
unused tm variable.
* netx/net/sourceforge/jnlp/security/VariableX509TrustManager.java: No
longer extends com.sun.net.ssl.internal.ssl.X509ExtendedTrustManager.
(checkClientTrusted): Renamed to checkTrustClient and removed overloaded
implementations.
(checkServerTrusted): Renamed to checkTrustServer. Also, modified to
accept socket and engine (may be null). Assume that CN is mismatched by
default, rather than matched. If explicitly trusted, bypass other checks,
including CN mismatch.
(checkAllManagers): Modified to accept socket and engine. Modified to work
for both JDK6 and JDK7.
(getAcceptedIssuers): Make protected (called by others in package).
* netx/net/sourceforge/jnlp/security/VariableX509TrustManagerJDK6.java:
New class -- X509TrustManager for JDK6.
* netx/net/sourceforge/jnlp/security/VariableX509TrustManagerJDK7.java:
New class -- X509TrustManager for JDK7.
2012-09-07 Saad Mohammad <smohammad@redhat.com>
Added signed jnlp tests for applications with multiple jar resources.
* tests/reproducers/signed/MultiJar-NoSignedJnlp/resources/MainJarWithoutSignedJnlp.jnlp:
Launching jnlp file that's main jar does not have a signed jnlp file, but
other jar resources do.
* tests/reproducers/signed/MultiJar-NoSignedJnlp/srcs/SimpleApplication.java:
A class that uses reflection to access resources from different jars.
* tests/reproducers/signed/MultiJar-SignedJnlpApplication/resources/MainJarWithMatchingSignedJnlpApplication.jnlp:
Launching jnlp file that's main jar matches the signed jnlp application
file.
* tests/reproducers/signed/MultiJar-SignedJnlpApplication/resources/MainJarWithUnmatchingSignedJnlpApplication.jnlp:
Launching jnlp file that's main jar does not match the signed jnlp
application file.
* tests/reproducers/signed/MultiJar-SignedJnlpApplication/srcs/JNLP-INF/APPLICATION.jnlp:
Signed JNLP application file for MultiJar-SignedJnlpApplication.
* tests/reproducers/signed/MultiJar-SignedJnlpApplication/srcs/SignedJnlpApplication.java:
A class that uses reflection to access resources from different jars.
* tests/reproducers/signed/MultiJar-SignedJnlpApplication/testcases/MultiJarSignedJnlpTest.java:
Testcase that tests the launch and validation of signed jnlp files for
application that have multiple jar resources.
* tests/reproducers/signed/MultiJar-SignedJnlpTemplate/resources/MainJarWithMatchingSignedJnlpTemplate.jnlp:
Launching jnlp file that's main jar matches the signed jnlp application
template file.
* tests/reproducers/signed/MultiJar-SignedJnlpTemplate/resources/MainJarWithUnmatchingSignedJnlpTemplate.jnlp:
Launching jnlp file that's main jar does not match the signed jnlp
application template file.
* tests/reproducers/signed/MultiJar-SignedJnlpTemplate/srcs/JNLP-INF/APPLICATION_TEMPLATE.jnlp:
Signed JNLP application template file for MultiJar-SignedJnlpTemplate.jar
* tests/reproducers/signed/MultiJar-SignedJnlpTemplate/srcs/SignedJnlpTemplate.java:
A class that uses reflection to access resources from different jars.
2012-09-07 Jiri Vanek <jvanek@redhat.com>
Added strict test
* tests/reproducers/simple/simpletest1/testcases/SimpleTest1Test.java:
Removed deprecated ServerAccess.ProcessResult
(testSimpletest1lunchOk) extracted asserting code
(checkLaunched) family of methods to evaluate output of application
(createStrictFile) method to prepare file which will pass strict checking
(testSimpletest1lunchOkStrictJnlp) new test, ensuring that even strict
file can be read without strict option
(testSimpletest1lunchNotOkJnlpStrict) new test ensuring that strictly
read no-strict file will fail
(testSimpletest1lunchOkStrictJnlpStrict) new test ensuring that strictly
read strict file will pass
2012-09-06 Jiri Vanek <jvanek@redhat.com>
Fixing several typos from previous push
* tests/test-extensions/net/sourceforge/jnlp/ServerLauncher.java:
(getUrlUponThisInstance) Javadoc, replaced Ctreate with Create.
* tests/test-extensions/net/sourceforge/jnlp/TinyHttpdImpl.java: (run)
Fixed indentation.
* tests/reproducers/simple/ParametrizedJarUrl/testcases/ParametrizedJarUrlTests.java:
Refactored createCodeBAse to createCodeBase.
2012-09-05 Jiri Vanek <jvanek@redhat.com>
Fixing several errors which were causing incorrect behaviour causing
correct reproduction of PR905
* tests/reproducers/simple/ParametrizedJarUrl/resources/ParametrizedJarUrlSigned.htm
Using different jar for reproducing
* tests/reproducers/simple/ParametrizedJarUrl/testcases/ParametrizedJarUrlTests.java
Added tests for hardcoded codebase (same and different)
enhanced original PR905 reproducers
* tests/test-extensions/net/sourceforge/jnlp/LoggingBottleneck.java:
added flush for logs
* tests/test-extensions/net/sourceforge/jnlp/ServerAccess.java: cleaned
and enhanced getUrl* methods.
* tests/test-extensions/net/sourceforge/jnlp/ServerLauncher.java: delegated
socket
* tests/test-extensions/net/sourceforge/jnlp/TinyHttpdImpl.java: fixed
processing of question mark.
2012-09-05 Jiri Vanek <jvanek@redhat.com>
* tests/reproducers/signed/CountingAppletSigned/srcs/CountingAppletSigned.java:
Signed applet painting to canvas and periodically printing out counted messages
* tests/reproducers/signed2/AppletTestSigned2/srcs/AppletTestSigned2:
Second simple signed applet for testing two different simple ones parallel
* tests/reproducers/simple/CountingApplet1/resources/ParallelAppletsTest_1E_x_2s.html:
* tests/reproducers/simple/CountingApplet1/resources/ParallelAppletsTest_1_x_1.html:
* tests/reproducers/simple/CountingApplet1/resources/ParallelAppletsTest_1_x_2.html:
* tests/reproducers/simple/CountingApplet1/resources/ParallelAppletsTest_1_x_2E.html:
* tests/reproducers/simple/CountingApplet1/resources/ParallelAppletsTest_1_x_2e.html:
* tests/reproducers/simple/CountingApplet1/resources/ParallelAppletsTest_1_x_2sk.html:
* tests/reproducers/simple/CountingApplet1/resources/ParallelAppletsTest_1e_x_2s.html:
* tests/reproducers/simple/CountingApplet1/resources/ParallelAppletsTest_1k_x_2.html:
* tests/reproducers/simple/CountingApplet1/resources/ParallelAppletsTest_1s_x_2.html:
* tests/reproducers/simple/CountingApplet1/resources/ParallelAppletsTest_1s_x_2s.html:
* tests/reproducers/simple/CountingApplet1/resources/ParallelAppletsTest_1s_x_2ss.html:
Various combinations of plain, signed, crashing, exception throwing and
exiting applets on single web-page
* tests/reproducers/simple/CountingApplet1/srcs/CountingApplet1.java:
Simple applet painting to canvas and periodically printing out counted messages
* tests/reproducers/simple/CountingApplet1/testcases/ParallelAppletsTest.java:
testcases launching above html files.
* tests/reproducers/simple/CountingApplet2/srcs/CountingApplet2.java:
Second simple applet painting to canvas and periodically printing out counted messages
* tests/reproducers/simple/simpletest2/srcs/SimpleTest2.java: Enhanced
exception throwing reproducer.
2012-09-04 Jiri Vanek <Jvanek@redhat.com>
Danesh Dadachanji <ddadacha@redhat.com>
Single instance support for jnlp-href and tests
* netx/net/sourceforge/jnlp/services/XSingleInstanceService.java:
(initializeSingleInstance) fixed code for catching running instance
(checkSingleInstanceRunning) Added handling of parameters.
* netx/net/sourceforge/jnlp/Launcher.java: (launchApplication),
(launchApplet) Added debug output that instance is already running.
(getApplet) added check for services and debug output
* netx/net/sourceforge/jnlp/resources/Messages.properties: added
(LSingleInstanceExists) entry for exception.
tests/reproducers/simple/SingleInstanceServiceTest/resources/SingleInstanceTest.jnlp
* tests/reproducers/simple/SingleInstanceServiceTest/resources/SingleInstanceTestWS.jnlp:
* tests/reproducers/simple/SingleInstanceServiceTest/resources/SingleInstanceTest_clasical.html:
* tests/reproducers/simple/SingleInstanceServiceTest/resources/SingleInstanceTest_jnlpHref.html:
Applet and application in jnlp or html launching files.
* tests/reproducers/simple/SingleInstanceServiceTest/srcs/SingleInstanceChecker.java
SingleInstance implementing applet/application
* tests/reproducers/simple/SingleInstanceServiceTest/testcases/SingleInstanceTest.java
Testfile for launching for above jnlps/htmls as testcases.
2012-08-27 Adam Domurad <adomurad@redhat.com>
Fixes PR920, duplicate loading of classes in certain cases
* NEWS: Added entry: Fixes PR920
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java: Remove
recursive/non-recursive distinction. Add parent JNLPClassLoader to
parent chain.
2012-08-27 Adam Domurad <adomurad@redhat.com>
Reproduces problem behind PR920, class is in a jar is loaded twice when
used by both a class within the jar, and also used by a class outside
the jar extending that class.
* tests/reproducers/custom/AppletExtendsFromOutsideJar/README:
Describes test
* tests/reproducers/custom/AppletExtendsFromOutsideJar/resources/AppletExtendsFromOutsideJar.html:
Runs applet with main class outside jar
* A tests/reproducers/custom/AppletExtendsFromOutsideJar/srcs/AppletReferenceInSameJar.java:
References class Referenced inside same jar
* tests/reproducers/custom/AppletExtendsFromOutsideJar/srcs/AppletReferenceOutOfJar.java:
References class Referenced outside the jar
* tests/reproducers/custom/AppletExtendsFromOutsideJar/srcs/Makefile:
Packages Reference, AppletReferenceInSameJar into a jar,
AppletReferenceOutOfJar outside it
* tests/reproducers/custom/AppletExtendsFromOutsideJar/srcs/Referenced.java:
Class that is referenced twice, loaded twice in failing behaviour
* tests/reproducers/custom/AppletExtendsFromOutsideJar/testcases/AppletExtendsFromOutsideJarTests.java:
Drives AppletExtendsFromOutsideJar.html
2012-08-27 Adam Domurad <adomurad@redhat.com>
Tests whether a main class can be found in a jar specified in
META-INF/INDEX.LIST. This test is done with both signed and unsigned
jars. The failure with signed jars encapsulates PR1112.
* tests/reproducers/custom/AdditionalJarsInMetaInfIndexList/resources/AdditionalJarsInMetaInfIndexListSigned.jnlp:
* tests/reproducers/custom/AdditionalJarsInMetaInfIndexList/resources/AdditionalJarsInMetaInfIndexListUnsigned.jnlp:
JNLP files for the signed and unsigned varions of the test
* tests/reproducers/custom/AdditionalJarsInMetaInfIndexList/srcs/LoadedViaMetaInfIndexList.java:
Main class that is within a jar loaded via
* tests/reproducers/custom/AdditionalJarsInMetaInfIndexList/srcs/Makefile:
Prepares a jar with INDEX.LIST pointing to another jar that has the
main-class. Copies of these jars and made and signed.
* tests/reproducers/custom/AdditionalJarsInMetaInfIndexList/testcases/AdditionalJarsInMetaInfIndexListTests.java:
Test driver, tests if main-class has run.
2012-08-27 Adam Domurad <adomurad@redhat.com>
Tests custom policy definition in such a way that has been known to
cause ClassCircularityError's. Reproducer for PR1145.
* tests/reproducers/signed/CustomPolicy/resources/CustomPolicy.jnlp:
* tests/reproducers/signed/CustomPolicy/srcs/CustomPolicy.java:
Sets custom policy and performs a privileged operation with no given
privileges.
* tests/reproducers/signed/CustomPolicy/testcases/CustomPolicyTests.java:
Tests that an access control exception was caught, and that the program
exits correctly.
2012-08-27 Deepak Bhole <dbhole@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(getAccessControlContextForClassLoading): Catch ClassCircularityErrors and
ignore them (thus denying permission to caller).
2012-08-27 Jiri Vanek <jvanek@redhat.com>
Added tests for PR822 - multiple signatures on classpath
* Makefile.am: listed signed2 directory
* tests/reproducers/signed2/MultipleSignaturesTest/resources/MultipleSignaturesTest.html:
* tests/reproducers/signed2/MultipleSignaturesTest/resources/MultipleSignaturesTest1.jnlp:
* tests/reproducers/signed2/MultipleSignaturesTest/resources/MultipleSignaturesTest1_requesting.jnlp:
* tests/reproducers/signed2/MultipleSignaturesTest/resources/MultipleSignaturesTest2.jnlp:
* tests/reproducers/signed2/MultipleSignaturesTestSamePackage/resources/MultipleSignaturesTest1_SamePackage.jnlp:
* tests/reproducers/signed2/MultipleSignaturesTestSamePackage/resources/MultipleSignaturesTest1_SamePackage_requesting.jnlp:
* tests/reproducers/signed2/MultipleSignaturesTestSamePackage/resources/MultipleSignaturesTest2_SamePackage.jnlp:
* tests/reproducers/signed2/MultipleSignaturesTestSamePackage/resources/MultipleSignaturesTest_SamePackage.html:
various variations of multiple signtarues jnlp/html, in/out package, same/different/ signature
* tests/reproducers/signed2/MultipleSignaturesTestSamePackage/srcs/MultipleSignaturesTestSamePackage.java:
simple class just with call to second jar
* tests/reproducers/signed2/MultipleSignaturesTest/srcs/somecrazytestpackage/MultipleSignaturesTest.java:
simple class just with call to second jar, but in package
* tests/reproducers/signed2/MultipleSignaturesTest/testcases/MultipleSignaturesTestTests.java:
* tests/reproducers/signed2/MultipleSignaturesTestSamePackage/testcases/MultipleSignaturesTestTestsSamePackage.java
various testcases tro above resources
* tests/test-extensions/net/sourceforge/jnlp/ServerAccess.java: "-verbose " fixed to "-verbose"
2012-08-27 Jiri Vanek <jvanek@redhat.com>
Fixed long term failing unit-test, fixed NPE from ClassLoader
* netx/net/sourceforge/jnlp/NullJnlpFileException.java: new class to
distinguish plain NPE from null jnlp file.
* netx/net/sourceforge/jnlp/SecurityDesc.java: (getSandBoxPermissions)
added throw of NullJnlpFileException in case of null jnlp file.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java: (findClass)
added Override annotation, add catch of NullJnlpFileException and
re-throw of CNF exception.
* tests/netx/unit/net/sourceforge/jnlp/runtime/CodeBaseClassLoaderTest.java:
(testResourceLoadSuccessCaching) (testResourceLoadFailureCaching)
(testParentClassLoaderIsAskedForClasses) - internal JNLPFile's
(getSecurity) null in SecurityDesc constructorrepalced by this.
(testNullFileSecurityDesc) new test to ensure NPE in null JNLPFile case.
2012-08-22 Jiri Vanek <jvanek@redhat.com>
Added tests for PR905 - parameters in jnlp/html application/applet resources
* tests/reproducers/simple/ParametrizedJarUrl/resources/ParametrizedJarUrl.html:
html file to launch applet, requested archive jar have parameter
* tests/reproducers/simple/ParametrizedJarUrl/resources/ParametrizedJarUrl1.jnlp:
jnlp file to launch application, requested archive jar have parameter
* tests/reproducers/simple/ParametrizedJarUrl/resources/ParametrizedJarUrl2.jnlp:
jnlp file to launch application, requested jnlp have parameter
* tests/reproducers/simple/ParametrizedJarUrl/resources/ParametrizedJarUrlSigned.html:
html file to launch signed applet, requested archive jar have parameter
* tests/reproducers/simple/ParametrizedJarUrl/resources/ParametrizedJarUrlSigned1.jnlp:
jnlp file to launch signed application, requested archive jar have parameter
* tests/reproducers/simple/ParametrizedJarUrl/resources/ParametrizedJarUrlSigned2.jnlp:
jnlp file to launch signed application, requested jnlp have parameter
* tests/reproducers/simple/ParametrizedJarUrl/resources/ParametrizedJarAppletUrl2.jnlp
* tests/reproducers/simple/ParametrizedJarUrl/resources/ParametrizedJarAppletUrl.jnlp
* tests/reproducers/simple/ParametrizedJarUrl/resources/ParametrizedJarAppletUrlSigned2.jnlp
* tests/reproducers/simple/ParametrizedJarUrl/resources/ParametrizedJarAppletUrlSigned.jnlp
variations launching applets from jnlp
* tests/reproducers/simple/ParametrizedJarUrl/testcases/ParametrizedJarUrlTests.java:
testaceses of above ParametrizedJarUrl/jnlps+htmls namely - (parametrizedAppletTestSignedTest)
, (testParametrizedJarUrl2), (testParametrizedJarUrlSigned2): passing
calls /partially/ with parameter. Those test are passing.
(parametrizedAppletTestSignedFirefoxTest) call with parameter upon signed
applet in browser, failing and so is representing PR905
2012-08-21 Jiri Vanek <jvanek@redhat.com>
* tests/test-extensions/net/sourceforge/jnlp/ProcessAssasin.java:
(sigInt), (sigKill), (sigTerm) new methods for various killing of
processes by kill.
(kill) new method, launching kill process.
(destroyProcess ) is now calling sigInt instead of unwrapped sigTerm.
2012-08-21 Jiri Vanek <jvanek@redhat.com>
* launcher/javaws.in: java is now launched by exec
2012-08-19 Thomas Meyer <thomas@m3y3r.de>
* netx/net/sourceforge/jnlp/JNLPFile.java:
* netx/net/sourceforge/jnlp/LaunchHandler.java:
* netx/net/sourceforge/jnlp/PluginBridge.java:
* netx/net/sourceforge/jnlp/cache/ResourceUrlCreator.java:
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
* netx/net/sourceforge/jnlp/runtime/RhinoBasedPacEvaluator.java:
Fix javadoc warnings.
* plugin/icedteanp/java/sun/applet/PluginObjectStore.java (contains):
Fix a small bug that prevents the only user of this method
(PluginAppletSecurity line 1064) to work correctly.
2012-08-18 Jiri Vanek <jvanek@redhat.com>
added encodings reproducer (PR1108)
* tests/reproducers/simple/encodingTestsĚŠČŘŽÝÁÍÉĚÉŘŤÝÚŮÍÓÁŠĎŽŹŇ: new
reproducer
* tests/reproducers/simple/encodingTestsĚŠČŘŽÝÁÍÉĚÉŘŤÝÚŮÍÓÁŠĎŽŹŇ/srcs/encodingTest.java:
main class/main applet class and method of new encodingTestsĚŠČŘŽÝÁÍÉĚÉŘŤÝÚŮÍÓÁŠĎŽŹŇ.jar
* tests/reproducers/simple/encodingTestsĚŠČŘŽÝÁÍÉĚÉŘŤÝÚŮÍÓÁŠĎŽŹŇ/testcases/encodingTestTest.java:
testcases for jnlps of this reproducers
* tests/reproducers/simple/encodingTestsĚŠČŘŽÝÁÍÉĚÉŘŤÝÚŮÍÓÁŠĎŽŹŇ/resources:
four utf-8 and four iso-8859-2 jnlp files and one utf-8 and one
iso-8859-2 html files
* tests/reproducers/simple/simpletest1/srcs/simpletest1.java: now prints
its args out
* tests/test-extensions-tests/net/sourceforge/jnlp/ResourcesTest.java:
correctly swaped error and output listener in its test
2012-08-17 Adam Domurad <adomurad@redhat.com>
Fixes PR588, cookies set in the java cookie jar are now stored properly
* plugin/icedteanp/IcedTeaNPPlugin.cc
(set_cookie_info): New, uses setvalueforurl
(consume_plugin_message): Additional message added allowing
set_cookie_info to be used from the java side.
* plugin/icedteanp/java/sun/applet/PluginCookieManager.java: Now
overrides put method, results in set_cookie_info calls in C++
* plugin/icedteanp/java/sun/applet/PluginMain.java: Passes
PluginStreamHandler to PluginCookieManager to allow C++ side
communication
2012-08-17 Adam Domurad <adomurad@redhat.com>
Reproducers for PR588, sets persistent and session cookies in the
cookie jar and tries to read them with various means.
* tests/reproducers/signed/SavingCookies/resources/CheckCookie.html:
Print the cookie store contents
* tests/reproducers/signed/SavingCookies/resources/CheckCookieAndGotoClear.html:
Print the cookie store contents, and then go to
ClearPersistentCookie.html with showDocument
* tests/reproducers/signed/SavingCookies/resources/ClearPersistentCookie.html:
Clear the test cookie so it does not interfere with further tests
* tests/reproducers/signed/SavingCookies/resources/SavePersistentCookie.html:
Create a persistent cookie
* tests/reproducers/signed/SavingCookies/resources/SavePersistentCookieAndGotoCheck.html:
Create a persistent cookie and check it with showDocument
* tests/reproducers/signed/SavingCookies/resources/SaveSessionCookie.html:
Create a session cookie
* tests/reproducers/signed/SavingCookies/resources/SaveSessionCookieAndGotoCheck.html:
Create a session cookie and check it with showDocument
* tests/reproducers/signed/SavingCookies/srcs/CheckingCookies.java:
Checks the contents of the cookie store.
Depending on the test, this may go to another page upon completion.
* tests/reproducers/signed/SavingCookies/srcs/SavingCookies.java:
Store cookies in the java cookie store. Depending on the test, this may
go to another page upon completion.
* tests/reproducers/signed/SavingCookies/testcases/SavingCookiesTests.java
Test driver for testing persistent and session cookies in different
ways
2012-08-18 Jiri Vanek <jvanek@redhat.com>
* tests/test-extensions/net/sourceforge/jnlp/ServerAccess.java: added
VERBOSE_OPTION constant with -verbose value for javaws launching.
2012-08-17 Jiri Vanek <jvanek@redhat.com>
* tests/reproducers/simple/deadlocktest/testcases/DeadLockTestTest.java:
(testDeadLockTestTerminatedBody) removed tests for killed-process and
termination of remaining javas put on correct place.
* tests/test-extensions/net/sourceforge/jnlp/ServerAccess.java:
(executeBrowser) stout and stderr listeners forwarded to next method in
correct order.
2012-08-14 Danesh Dadachanji <ddadacha@redhat.com>
Classpaths in jars' manifests are only considered when the applet is run
without using jnlp_href and a JNLP file.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java (activateJars):
Add conditional check for use of jnlp_href.
* tests/reproducers/signed/Classpath.Manifest.Test.Helper/srcs/CheckForClasspath.java:
Applet whose jar is stored in a subdir under the test engine server.
* tests/reproducers/signed/ClasspathManifestTest/resources/ClasspathManifestAppletTest.html:
* tests/reproducers/signed/ClasspathManifestTest/resources/ClasspathManifestAppletTest.jnlp:
* tests/reproducers/signed/ClasspathManifestTest/resources/ClasspathManifestApplicationTest.jnlp:
* tests/reproducers/signed/ClasspathManifestTest/resources/ClasspathManifestJNLPHrefTest.html:
* tests/reproducers/signed/ClasspathManifestTest/srcs/ClasspathManifest.java:
* tests/reproducers/signed/ClasspathManifestTest/srcs/META-INF/MANIFEST.MF:
* tests/reproducers/signed/ClasspathManifestTest/testcases/ClasspathManifestTest.java:
Test if manifest entry is searched for classpath only when in the plugin
is run without using jnlp_href.
2012-08-14 Adam Domurad <adomurad@redhat.com>
Reproducer for allowing unsigned content in META-INF/ folder.
Derives from ReadPropertiesSigned test's signed jar.
* tests/reproducers/custom/UnsignedContentInMETAINF/resources/UnsignedContentInMETAINF.jnlp:
New, runs a modified version of ReadPropertiesSigned.jar (UnsignedContentInMETAINF.jar)
* tests/reproducers/custom/UnsignedContentInMETAINF/srcs/META-INF/unsigned_file_in_metainf:
New, placed into a modified version of ReadPropertiesSigned.jar
(UnsignedContentInMETAINF.jar) so that there is unsigned content in the
META-INF/ folder.
* tests/reproducers/custom/UnsignedContentInMETAINF/srcs/Makefile:
New, creates a modified version of ReadPropertiesSigned.jar, named
UnsignedContentInMETAINF.jar, and places unsigned content inside its
META-INF/ folder
* tests/reproducers/custom/UnsignedContentInMETAINF/testcases/UnsignedContentInMETAINF.java:
Test driver for jnlp file
2012-08-14 Adam Domurad <adomurad@redhat.com>
Unit test for method in JCV, isMetaInfFile()
* netx/net/sourceforge/jnlp/tools/JarCertVerifier.java:
Made isMetaInfFile package-private for testing purposes.
* tests/netx/unit/net/sourceforge/jnlp/tools/JarCertVerifierTest.java:
New, tests isMetaInfFile
2012-08-06 Jiri Vanek <jvanek@redhat.com>
Added splashscreen implementation
* netx/net/sourceforge/jnlp/GuiLaunchHandler.java: calling JNLPSplashScreen
constructor with file ratehr then null.
* netx/net/sourceforge/jnlp/InformationDesc.java: ONE_LINE changed from
"oneline" to "one-line", added citation why. (getDescriptionStrict) new
method returning exact value or null without fall-back.
* netx/net/sourceforge/jnlp/JNLPSplashScreen.java: Added header, default
values and useless string replaced by JnlpFile.
* netx/net/sourceforge/jnlp/resources/Messages.properties: Added SPLASH
family of keys.
* netx/net/sourceforge/jnlp/runtime/AppletEnvironment.java: (getSplashControler)
new method returning its SplashControler.
* netx/net/sourceforge/jnlp/runtime/Boot.java: Constants (name) and
(version) made public.
* netx/net/sourceforge/jnlp/splashscreen/SplashController.java: New interface
for each class which wants its splasshcreen controlled by SplashUtils.
* netx/net/sourceforge/jnlp/splashscreen/SplashErrorPanel.java: New interface
for each class which wants to serve as error-showing splashscreen.
* netx/net/sourceforge/jnlp/splashscreen/SplashPanel.java: New interface
for each class which wants to serve as splashscreen.
* netx/net/sourceforge/jnlp/splashscreen/SplashUtils.java: Factory methods
for simplified splashscreens creation.
* netx/net/sourceforge/jnlp/splashscreen/impls/DefaultErrorSplashScreen2012.java:
Full implementation of SplashErrorPanel to be used as default error
splashscreen.
* netx/net/sourceforge/jnlp/splashscreen/impls/DefaultSplashScreen2012.java:
Full implementation of SplashPanel to be used as default splashscreen.
* netx/net/sourceforge/jnlp/splashscreen/impls/DefaultSplashScreens2012Commons.java:
Class for gathering same logic in DefaultErrorSplashScreen2012 and
DefaultSplashScreen2012.
* netx/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/BasePainter.java:
Class responsible for paint main graphic in DefaultSplashScreen2012.
* netx/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/ControlCurve.java:
Painting forefather for primitives drawing curves.
* netx/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/Cubic.java:
Class with cubic calculation.
* netx/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/ErrorPainter.java:
Class responsible for paint main graphic in DefaultErrorSplashScreen2012.
* netx/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/MovingText.java:
Class responsible for metal-shining web label.
* netx/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/NatCubic.java:
Painting primitive for drawing cubic-splines.
* netx/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/NatCubicClosed.java:
Painting primitive for drawing self-closed cubic-splines.
* netx/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/TextOutlineRenderer.java:
Class for rendering text from given texture,
* netx/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/TextWithWaterLevel.java:
Class for rendering Iced label slowly filled with watter
* netx/net/sourceforge/jnlp/splashscreen/parts/BasicComponentErrorSplashScreen.java:
Common forefather for all error splashscreens which would like to be an
component too.
* netx/net/sourceforge/jnlp/splashscreen/parts/BasicComponentSplashScreen.java:
Common forefather for all splashscreens which would like to be an component too.
* netx/net/sourceforge/jnlp/splashscreen/parts/DescriptionInfoItem.java:
Description item of InformationElement
* netx/net/sourceforge/jnlp/splashscreen/parts/InfoItem.java:
Individual items in InformationElement
* netx/net/sourceforge/jnlp/splashscreen/parts/InformationElement.java:
Wrapper around jnlp's information element.
* netx/net/sourceforge/jnlp/splashscreen/parts/JEditorPaneBasedExceptionDialog.java:
Custom error dialogue with direct access to exception and icedtea-web page
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/ErrorSplashScreenTest.java:
Test for final composition of ErrorSplashScreen2012, including main method
for manual testing
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/SplashScreenTest.java:
Test for final composition of SplashScreen2012, including main method
for manual testing
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/ErrorSplashUtilsTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/BasePainterTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/ControlCurveTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/CubicTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/ErrorPainterTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/MovingTextTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/NatCubicClosedTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/NatCubicTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/SplinesDefsTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/TextOutlineRendererTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/impls/defaultsplashscreen2012/TextWithWaterLevelTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/parts/BasicComponentErrorSplashScreenTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/parts/BasicComponentSplashScreenTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/parts/DescriptionInfoItemTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/parts/InfoItemTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/parts/InformationElementTest.java:
* tests/netx/unit/net/sourceforge/jnlp/splashscreen/parts/JEditorPaneBasedExceptionDialogTest.java:
Unit-test classes always testing the class with corresponding name
2012-08-13 Jiri Vanek <jvanek@redhat.com>
* tests/test-extensions/net/sourceforge/jnlp/ServerAccess.java:
(executeProcessUponURL)Fixed wrong call in previous commit which was
causing null process name.
* tests/reproducers/simple/AppletTest/testcases/AppletTestTests.java:
Removed unused import.
2012-08-13 Jiri Vanek <jvanek@redhat.com>
Reproducers of PR955
* tests/reproducers/simple/LocalisedInformationElement/resources/LocalisedInformationElement1.jnlp:
* tests/reproducers/simple/LocalisedInformationElement/resources/LocalisedInformationElement2.jnlp:
* tests/reproducers/simple/LocalisedInformationElement/resources/LocalisedInformationElement3.jnlp:
* tests/reproducers/simple/LocalisedInformationElement/resources/LocalisedInformationElement4.jnlp:
Test jnlp files with various combinations of locales, reproducers of PR955.
* tests/reproducers/simple/LocalisedInformationElement/resources/LocalisedInformationElement_noLoc.jnlp
Jnlp file with which is not affected by PR955 and is helping to catch error in LOCALE changing hack
* tests/reproducers/simple/LocalisedInformationElement/srcs/LocalisedInformationElement.java:
Reproducer main class, after loading prints out default locale.
* tests/reproducers/simple/LocalisedInformationElement/testcases/LocalisedInformationElementTest.java:
Testcases launching above jnlps under various locales.
* tests/test-extensions/net/sourceforge/jnlp/ServerAccess.java:
Added set of methods allowing passing of custom variables to ThreadedProcess.
* tests/test-extensions/net/sourceforge/jnlp/ThreadedProcess.java:
Added processing of custom variables.
2012-08-10 Adam Domurad <adomurad@redhat.com>
* plugin/icedteanp/IcedTeaNPPlugin.cc
(consume_plugin_message): New, called by consume_message, handles
cookie and proxy info retrieval, and setting cookie info
(consume_message): Call consume_plugin_message for "plugin ..."
messages
2012-08-08 Danesh Dadachanji <ddadacha@redhat.com>
Fix PR955: regression: SweetHome3D fails to run
* NEWS: Added entry for PR955
* netx/net/sourceforge/jnlp/JNLPFile.java: New enum Match that represents
the level of precision to use when matching locales.
(localMatches): Renamed to localeMatches, added matchLevel paramater
and updated conditionals to handle the level of precision specified by it.
(getVendor): New method that returns an information's vendor text.
(getInformation): Added override methods for getTitle and getVendor
that are used by the anonymous class to filter by locale. All three
methods now go through all levels of precision to search for the best
fitted locale.
(getResources), (getResourcesDescs): Updated to check if any level of
precision matches when searching for locales.
(parse): Added call to checkForTitleVendor.
* netx/net/sourceforge/jnlp/Parser.java
(checkForTitleVendor): New method to check for availability of localized
title and vendor from the information tags. Throws ParseException.
(getInfo): Replace loop with foreach loop.
(getInformationDesc): Remove check for present title and vendor.
(getLocale): Variant returned can now use everything after the eigth
element of the locale's string.
* netx/net/sourceforge/jnlp/resources/Messages.properties:
Update missing title and vendor messages to mention localization.
* tests/reproducers/simple/InformationTitleVendorParser/testcases/InformationTitleVendorParserTest.java:
Update output string as per new changes to Messages internationalizations.
* tests/netx/unit/net/sourceforge/jnlp/JNLPFileTest.java:
New unit test that checks the localesMatches method in JNLPFile.
* tests/netx/unit/net/sourceforge/jnlp/MockJNLPFile.java:
New class used to create a mock JNLPFile object.
* tests/netx/unit/net/sourceforge/jnlp/ParserTest.java:
New unit test that checks that the return of getTitle and getVendor
have localized information.
2012-08-07 Thomas Meyer <thomas@m3y3r.de>
* plugin/icedteanp/IcedTeaNPPlugin.cc: only export NP_GetMIMEDescription,
NP_GetValue, NP_Initialize and NP_Shutdown. This should fix PR472.
2012-08-07 Saad Mohammad <smohammad@redhat.com>
Added license header to files without one.
* netx/net/sourceforge/jnlp/AppletLog.java:
* netx/net/sourceforge/jnlp/JNLPMatcherException.java:
* netx/net/sourceforge/jnlp/Log.java:
* netx/net/sourceforge/jnlp/Node.java:
* netx/net/sourceforge/jnlp/UpdateDesc.java:
* netx/net/sourceforge/jnlp/cache/IllegalResourceDescriptorException.java:
* netx/net/sourceforge/jnlp/security/SecurityDialogMessage.java: Added
license header.
2012-08-07 Adam Domurad <adomurad@redhat.com>
Fixes PR1106, plugin crashing with firefox + archlinux/gentoo
* plugin/icedteanp/IcedTeaNPPlugin.cc
(initialize_browser_functions): Account for the fact that
browserTable->size can be larger than sizeof(NPNetscapeFuncs)
2012-08-01 Saad Mohammad <smohammad@redhat.com>
Fix PR1049: Extension jnlp's signed jar with the content of only META-INF/*
is considered unsigned.
* NEWS: Added entry for PR1049.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java (initializeResources):
Removes the display of the security dialog for loaders with only empty jars.
* netx/net/sourceforge/jnlp/tools/JarCertVerifier.java:
(JarCertVerifier): Tracks whether all jars verified are empty jars.
(hasAllEmptyJars): Returns true if all jars verified are empty jars.
(verifyJars): Checks whether signable entries and certificates are found and
decides if all jars are empty jars.
(isFullySignedByASingleCert): If all jars are emptyJars, returns true.
* tests/reproducers/signed/EmptySignedJar/resources/EmptySignedJarInLaunchingJnlp.jnlp:
Launching jnlp with the resource of an empty jar and an extension jnlp
containing the main jar.
* tests/reproducers/signed/EmptySignedJar/resources/EmptySignedJarInExtensionJnlp.jnlp:
Launching jnlp with the resource of the main jar and an extension jnlp
containing the empty jar.
* tests/reproducers/signed/EmptySignedJar/resources/EmptySignedJarExtension.jnlp:
Extension jnlp containing only an empty jar.
* tests/reproducers/signed/EmptySignedJar/srcs/META-INF/empty_file:
Empty file within META-INF; required to create EmptySignedJar.jar
by the test engine.
* tests/reproducers/signed/EmptySignedJar/testcases/EmptySignedJarTest.java:
Testcase that tests jnlp files with empty jars.
* tests/reproducers/signed/SignedJarResource/resources/SignedJarResource.jnlp:
Launches SignedJarResource class directly.
2012-07-31 Danesh Dadachanji <ddadacha@redhat.com>
Minor fix to overly restrictive unit test.
* tests/netx/unit/net/sourceforge/jnlp/JNLPMatcherTest.java
(testIsMatchDoesNotHangOnLargeData): Increase timeout to 5 seconds.
2012-07-24 Adam Domurad <adomurad@redhat.com>
CVE-2012-3422, RH840592: Potential read from an uninitialized
memory location.
* plugin/icedteanp/IcedTeaNPPlugin.cc
(get_cookie_info): Only attempt to perform this operation if there is a
valid plugin instance
(get_proxy_info): Only attempt to perform this operation if there is a
valid plugin instance
2012-07-31 Danesh Dadachanji <ddadacha@redhat.com>
* Makefile.am: Fix call to keytool that is missing its absolute path.
2012-07-31 Jiri Vanek <jvanek@redhat.com>
Peter Hatina <phatina@redhat.com>
Introduced configure option --with-gtk=2|3|default to be able
to compile against different version of GTK+ (2.x or 3.x).
* NEWS: mentioned bug fix
* acinclude.m4: (ITW_GTK_CHECK_VERSION) macro for getting GTK+ version
(ITW_GTK_CHECK) macro for checking GTK+ version
2012-07-24 Adam Domurad <adomurad@redhat.com>
* plugin/icedteanp/IcedTeaPluginUtils.cc
(IcedTeaPluginUtilities::strSplit): Replace usage of " " with proper
delimiter
2012-07-18 Danesh Dadachanji <ddadacha@redhat.com>
Fix RH838417, Fix RH838559: Disambiguate signed applet security prompt
from certificate warning.
* NEWS: Added entries for RH838417 and RH838559.
* netx/net/sourceforge/jnlp/resources/Messages.properties:
Added SWarnFullPermissionsIgnorePolicy and updated SHttpsUnverified.
* netx/net/sourceforge/jnlp/security/CertWarningPane.java: Display
SWarnFullPermissionsIgnorePolicy if the cert is from a jar and is either
unverified or has a signing error. Also added warning.png to HTTPS dialogs.
2012-07-18 Thomas Meyer <thomas@m3y3r.de>
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java (handleMessage):
Fix possible endless loop while waiting for the applet object instance to
get created.
2012-07-11 Jiri Vanek <jvanek@redhat.com>
try to close browser before kill it
* tests/reproducers/signed/AppletTestSigned/testcases/AppletTestSignedTests.java:
* tests/reproducers/simple/AppletTest/testcases/AppletTestTests.java:
* tests/reproducers/simple/CheckServices/testcases/CheckServicesTests.java
(evaluateSignedApplet) addapted to properly closed browser
* tests/reproducers/simple/CheckServices/srcs/CheckServices.java:
removed fixme section as it shuld work now
* tests/test-extensions/net/sourceforge/jnlp/ProcessAssasin.java
(destroyProcess) new method, launching kill with SIGTERM before clasical
process.destroy()
* tests/test-extensions/net/sourceforge/jnlp/ServerAccess.java:
removed Set<Thread> terminated, should be removed long ago
2012-07-10 Adam Domurad <adomurad@redhat.com>
Refactor JNLPFile#launchType into its own interface type (as opposed to
Object), LaunchDesc.
* netx/net/sourceforge/jnlp/AppletDesc.java: Add override annotation to
getMainClass().
* netx/net/sourceforge/jnlp/ApplicationDesc.java: Same as above
* netx/net/sourceforge/jnlp/InstallerDesc.java: Same as above
* netx/net/sourceforge/jnlp/JNLPFile.java: Make launchType a
LaunchDesc object. Update getLaunchInfo() accordingly.
* netx/net/sourceforge/jnlp/LaunchDesc.java: New launch description.
* netx/net/sourceforge/jnlp/Parser.java
(getLauncher): Return type changed to LaunchDesc
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java: Replace
occurences of instanceof with respect to launchType.
2012-07-09 Deepak Bhole <dbhole@redhat.com>
* configure.ac: Bumped release number to 1.4pre
2012-07-09 Saad Mohammad <smohammad@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java (initializeExtensions):
Checks and assigns the main-class name prior to the for loop.
2012-07-09 Martin Olsson <martin@minimum.se>
* plugin/icedteanp/IcedTeaPluginUtils.cc: Change calls from g_free
to free when allocated with calloc.
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc
(PluginRequestProcessor::call): Make sure args_array doesnt hold
garbage when freed.
(_loadURL): Change calls from g_free to free when allocated with
calloc.
2012-07-09 Adam Domurad <adomurad@redhat.com>
Ignore invalid jar files in applets, like the oracle plugin does.
* netx/net/sourceforge/jnlp/cache/IllegalResourceDescriptorException.java:
New exception type for ResourceTracker to throw instead of
IllegalArgumentException
* netx/net/sourceforge/jnlp/cache/IllegalResourceDescriptorException.java:
Throws IllegalArgumentDescriptorException instead of
IllegalArgumentException.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
(isInvalidJar): New, checks for ZipException in new JarFile(...)
(shouldFilterInvalidJars): New, checks if we are in an applet
(initializeResources): if 'shouldFilterInvalidJars()' is true and a jar
is not a valid jar file, the jar is filtered out and normal execution
continues.
2012-07-03 Saad Mohammad <smohammad@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
(JNLPClassLoader): New constructor that accepts an additional parameter
containing the main class name.
(getInstance): Accepts mainName as parameter to override application's
main class name
(initializeExtensions): Passes in the name of the application's main class
when creating a new JNLPClassLoader instance.
(initializeResources): If the loader owns no jars, it will consider
itself as signed if all of the extension loaders are signed. Also, if the
extension jars have the main class, it will set foundMainJar to true.
(initializeResources): If the main class was not found, check if it was
found within the extension jars.
(checkForMain): Uses the overwritten main class name (if set) when
searching for the main within the jars.
(hasMainJar): Returns true if this loader holds the main jar.
(hasMainInExtensions): Returns true if extension loaders have the main jar
* tests/jnlp_tests/signed/ExtensionJnlp/resources/UsesSignedJarExtension.jnlp:
* tests/jnlp_tests/signed/ExtensionJnlp/resources/UsesSignedJnlpExtension.jnlp:
* tests/jnlp_tests/signed/ExtensionJnlp/resources/UsesSignedJnlpJarAndSignedJarExtension.jnlp:
Launching jnlps that use extension jnlp as its resource.
* tests/jnlp_tests/signed/ExtensionJnlp/resources/UsesSignedJar.jnlp:
Launching jnlp that directly launches SignedJarResource class.
* tests/jnlp_tests/signed/ExtensionJnlp/resources/UsesSignedJnlp.jnlp:
Launching jnlp that directly launches SignedJnlpResource class.
* tests/jnlp_tests/signed/ExtensionJnlp/testcases/ExtensionJnlpTest.java:
Testcase that tests the launching of jnlp files containing extension jnlps
as resource.
* tests/jnlp_tests/signed/SignedJarResource/resources/SignedJarExtension.jnlp:
Component jnlp file that is used as an extension resource.
* tests/jnlp_tests/signed/SignedJarResource/srcs/SignedJarResource.java:
A simple java class that outputs a string.
* tests/jnlp_tests/signed/SignedJnlpResource/resources/UnmatchingSignedJnlpExtension.jnlp:
Component jnlp file that is used as an extension resource and does not
match the signed jnlp file.
* tests/jnlp_tests/signed/SignedJnlpResource/resources/MatchingSignedJnlpExtension.jnlp:
Component jnlp file that is used as an extension resource and matches the
signed jnlp file.
* tests/jnlp_tests/signed/SignedJnlpResource/srcs/JNLP-INF/APPLICATION_TEMPLATE.jnlp:
Signed jnlp file.
* tests/jnlp_tests/signed/SignedJnlpResource/srcs/SignedJnlpResource.java:
A simple java class that outputs a string.
2012-07-02 Jiri Vanek <jvanek@redhat.com>
Added missing headers
* tests/reproducers/simple/CreateClassLoader/resources/CreateClassLoader.jnlp:
* tests/reproducers/simple/ReadEnvironment/resources/ReadEnvironment.jnlp:
* tests/reproducers/simple/ReadProperties/resources/ReadProperties1.jnlp:
* tests/reproducers/simple/ReadProperties/resources/ReadProperties2.jnlp:
* tests/reproducers/simple/RedirectStreams/resources/RedirectStreams.jnlp:
* tests/reproducers/simple/ReplaceSecurityManager/resources/ReplaceSecurityManager.jnlp:
* tests/reproducers/simple/SetContextClassLoader/resources/SetContextClassLoader.jnlp:
* tests/test-extensions/net/sourceforge/jnlp/ServerAccess.java:
* tests/test-extensions/net/sourceforge/jnlp/annotations/Bug.java:
* tests/test-extensions/net/sourceforge/jnlp/annotations/KnownToFail.java:
* tests/test-extensions/net/sourceforge/jnlp/annotations/NeedsDisplay.java:
* tests/test-extensions/net/sourceforge/jnlp/annotations/TestInBrowsers.java:
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/Browser.java:
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/BrowserFactory.java:
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/BrowserTest.java:
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/BrowserTestRunner.java:
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/Browsers.java:
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/browsers/Chrome.java:
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/browsers/Chromium.java:
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/browsers/Epiphany.java:
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/browsers/Firefox.java:
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/browsers/LinuxBrowser.java:
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/browsers/Midory.java:
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/browsers/MozillaFamilyLinuxBrowser.java:
* tests/test-extensions/net/sourceforge/jnlp/browsertesting/browsers/Opera.java:
added license headers
2012-07-02 Jiri Vanek <jvanek@redhat.com>
Makefile adapted to recent (three changelog items) refactoring
* Makefile.am: (JNLP_TESTS_ENGINE_SRCDIR) now points correctly to
test-extensions. (JNLP_TESTS_ENGINE_TESTS_SRCDIR) new variable for
test-extensions-tests. (JNLP_TESTS_SRCDIR) now points to reproducers.
(JNLP_TESTS_ENGINE_TESTS_DIR) new variable for built
JNLP_TESTS_ENGINE_TESTS_SRCDIR
(netx-dist-tests-tests-source-files.txt) new target for list of
content of JNLP_TESTS_ENGINE_TESTS_SRCDIR.
(stamps/netx-dist-tests-tests-compile.stamp) new target for compiling
netx-dist-tests-tests-source-files.txt
(netx-dist-tests-source-files.tx) now depends on
stamps/netx-dist-tests-tests-compile.stamp
($(REPRODUCERS_CLASS_NAMES)) target is now working in JNLP_TESTS_ENGINE_TESTS_DIR
instead of JNLP_TESTS_ENGINE_DIR
(stamps/run-netx-dist-tests.stamp): added JNLP_TESTS_ENGINE_TESTS_DIR to classpath
(stamps/run-unit-test-code-coverage.stamp), (stamps/run-reproducers-test-code-coverage.stamp)
added JNLP_TESTS_ENGINE_TESTS_DIR to classpath and
JNLP_TESTS_ENGINE_TESTS_SRCDIR to sources path
2012-07-02 Jiri Vanek <jvanek@redhat.com>
All tests from test-extensions extracted to test-extensions-tests.
All inner classes in test-extensions extracted as outer classes
* tests/test-extensions/net/sourceforge/jnlp/ResourcesTest.java:
moved to test-extensions-tests
* tests/test-extensions-tests/net/sourceforge/jnlp/ResourcesTest.java:
new file, copied from test-extensions
* tests/test-extensions-tests/net/sourceforge/jnlp/ServerAccessTest.java:
all tests from original ServerAccess.java
* tests/test-extensions/net/sourceforge/jnlp/ContentReader.java:
* tests/test-extensions/net/sourceforge/jnlp/LogItem.java:
* tests/test-extensions/net/sourceforge/jnlp/LoggingBottleneck.java:
* tests/test-extensions/net/sourceforge/jnlp/ProcessAssasin.java:
* tests/test-extensions/net/sourceforge/jnlp/ProcessResult.java:
* tests/test-extensions/net/sourceforge/jnlp/ServerLauncher.java:
* tests/test-extensions/net/sourceforge/jnlp/TestsLogs.java:
* tests/test-extensions/net/sourceforge/jnlp/ThreadedProcess.java:
* tests/test-extensions/net/sourceforge/jnlp/TinyHttpdImpl.java:
new files, extracted classes from ServerAccess
* tests/test-extensions/net/sourceforge/jnlp/ServerAccess.java:
extracted tests and inner classes
2012-07-02 Jiri Vanek <jvanek@redhat.com>
hg move tests/netx/jnlp_testsengine/ tests/test-extensions
2012-07-02 Jiri Vanek <jvanek@redhat.com>
hg move tests/jnlp_tests/ tests/reproducers
2012-06-29 Jiri Vanek <jvanek@redhat.com>
Fixed resource tests and Browsers.none behavior
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ResourcesTest.java:
Added slash into all executeBrowsers urls.
Added midori and epiphany to simple proxies test.
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/BrowserTestRunner.java:
Corrected handling of Browsers.none together with -Dmodified.browsers.run switch
2012-06-28 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(findClass): Invoke CodeBaseClassLoader.findClass with a flag to avoid
infinite recursion.
(CodeBaseClassLoader.findClass(String)): Delegate to ...
(CodeBaseClassLoader.findClass(String,boolean)): New method.
* tests/netx/unit/net/sourceforge/jnlp/runtime/CodeBaseClassLoaderTest.java
(testParentClassLoaderIsAskedForClasses): New method.
2012-06-28 Jiri Vanek <jvanek@redhat.com>
Correctly backup all log files re-writable by emma during code-coverage
* Makefile.am: (EMMA_MODIFIED_FILES) new variable with list of files to
backup/restore. (stamps/run-unit-test-code-coverage.stamp) and
(stamps/run-reproducers-test-code-coverage.stamp) are now iterating over
EMMA_MODIFIED_FILES instead of enumerating them
2012-06-28 Jiri Vanek <jvanek@redhat.com>
Removed repeated re-runing of tests during coverage, stamped pac tests
* Makefile.am: (check-pac-functions) moved to target aliases and replaced
by stamps/check-pac-functions.stamp.
(clean-netx-unit-tests) added removing of stamps/check-pac-functions.stamp
(stamps/exported-test-certs.stamp): no longer depends on
netx-dist-tests-remove-cert-from-public, logic of it have to be
copy-pasted from here.
(stamps/run-unit-test-code-coverage.stamp): no longer depends on check,
but was added direct dependences
2012-06-28 Adam Domurad <adomurad@redhat.com>
Allow for folders in archive tag.
* netx/net/sourceforge/jnlp/PluginBridge.java:
(PluginBridge) Changes jar -> archive, parse contents with
addArchiveEntries.
(addArchiveEntries) New method. Adds entries ending with / to the list
of folders.
(getCodeBaseFolders) Returns the folders collected by addArchiveEntries
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
(initializeResources) If ran as plugin, add archive tag folders to the
code base loader.
2012-06-27 Adam Domurad <adomurad@redhat.com>
Tests folders in archive tag
* tests/jnlp_tests/custom/AppletFolderInArchiveTag/testcases/AppletFolderInArchiveTagTests.java:
Runs html file in browser
* tests/jnlp_tests/custom/AppletFolderInArchiveTag/srcs/Makefile:
packages compiled source files in folder
* tests/jnlp_tests/custom/AppletFolderInArchiveTag/srcs/AppletFolderInArchiveTag.java:
Simple output to confirm it is running
* tests/jnlp_tests/custom/AppletFolderInArchiveTag/resources/AppletFolderInArchiveTag.html:
Has folder in its archive tag that contains a class file
2012-06-26 Jiri Vanek <jvanek@redhat.com>
Added slipped midori and epiphany to recognized browsers.
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/BrowserFactory.java:
(BrowserFactory) added slipped cases for creating Epiphany and Midori singletons
2012-06-26 Jiri Vanek <jvanek@redhat.com>
* Makefile.am: Most crucial variables exported to be used by custom Makefiles
(CUSTOM_REPRODUCERS): new variable to hold custom name
(ALL_NONCUSTOM_REPRODUCERS): new variable for gathering all except custom reproducers
(ALL_REPRODUCERS): now contains also custom ones
(stamps/junit-jnlp-dist-dirs): now depends also on junit-jnlp-dist-custom.txt
(junit-jnlp-dist-custom.txt): new target scanning for directories in jnlp_tests/custom
and saving them as list for future purposes.
(stamps/netx-dist-tests-prepare-reproducers.stamp): and
( stamps/change-dots-to-paths.stamp):iterate through ALL_NONCUSTOM_REPRODUCERS
instead of ALL__REPRODUCERS
(stamps/process-custom-reproducers.stamp) : new target for iterating by
junit-jnlp-dist-custom.txt through jnlp_tests/custom/srcs* and launching
make prepare-reproducer in each.
(clean-custom-reproducers): same as above but launching make clean-reproducer
(run-netx-dist-tests) now depends on stamps/process-custom-reproducers.stamp
(clean-netx-dist-tests): now depends on clean-custom-reproducers and is removing
stamps/netx-dist-tests-copy-resources.stamp
(stamps/netx-dist-tests-copy-resources.stamp): new target extracting
copying of resources from stamps/netx-dist-tests-compile-testcases.stamp
* tests/jnlp_tests/README: described this mechanism a bit
2012-06-26 Jiri Vanek <jvanek@redhat.com>
Reproducer for classes which should be loaded before verification but are not
* tests/jnlp_tests/signed/InternalClassloaderWithDownloadedResource/resources/InternalClassloaderWithDownloadedResource-applet-hack.jnlp
jnlp launcher of applet variant with injecting new url to classlaoder
* tests/jnlp_tests/signed/InternalClassloaderWithDownloadedResource/resources/InternalClassloaderWithDownloadedResource-applet-new.jnlp
jnlp launcher of applet variant with custom classlaoder
* tests/jnlp_tests/signed/InternalClassloaderWithDownloadedResource/resources/InternalClassloaderWithDownloadedResource-hack.html
html launcher of applet variant with injecting new url to classlaoder
* tests/jnlp_tests/signed/InternalClassloaderWithDownloadedResource/resources/InternalClassloaderWithDownloadedResource-hack.jnlp
jnlp launcher of application variant with injecting new url to classlaoder
* tests/jnlp_tests/signed/InternalClassloaderWithDownloadedResource/resources/InternalClassloaderWithDownloadedResource-new.html
html launcher of applet variant with custom classlaoder
* tests/jnlp_tests/signed/InternalClassloaderWithDownloadedResource/resources/InternalClassloaderWithDownloadedResource-new.jnlp
jnlp launcher of application variant with custom classlaoder
* tests/jnlp_tests/signed/InternalClassloaderWithDownloadedResource/srcs/InternalClassloaderWithDownloadedResource.java:
Both application and applet reproducing behavior of this bug
* tests/jnlp_tests/signed/InternalClassloaderWithDownloadedResource/testcases/InternalClassloaderWithDownloadedResourceTest.java:
Testcase launching jnlp application, jnlp applet and html applet
2012-06-26 Jiri Vanek <jvanek@redhat.com>
Last hope for not downloaded resources to be verified
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
(getCodeSourceSecurity): will now try to download and verify resource
which was downloaded outside of netx.
(alreadyTried) set for memory of once tried resources to not try again
2012-06-25 Adam Domurad <adomurad@redhat.com>
Small comment cleanup to classes with missing or wrong descriptions.
* plugin/icedteanp/java/sun/applet/PluginMessageHandlerWorker.java:
Comment at top fixed
* plugin/icedteanp/java/sun/applet/AppletSecurityContextManager.java:
Same
* plugin/icedteanp/java/sun/applet/PluginException.java: Same
* plugin/icedteanp/java/sun/applet/PluginCallRequestFactory.java: Same
* netx/net/sourceforge/jnlp/PluginBridge.java: Add class description.
* plugin/icedteanp/java/sun/applet/PluginCallRequest.java:
Removed FIXME that had already been fixed.
2012-06-25 Adam Domurad <adomurad@redhat.com>
Allow passing of plugin tables and browser tables in NP_Initialize that
are not the expected length but still large enough for our purposes.
* plugin/icedteanp/IcedTeaNPPlugin.cc
(initialize_browser_functions): New function to check size of passed
browser function table, and initialize 'browser_functions' global
variable.
(initialize_plugin_table): New function to check size of passed
plugin function table, and initialize proper plugin callbacks.
(NP_Initialize): Make use of initialization helper functions, get
rid of old size tests and error if the helper functions fail.
2012-06-20 Adam Domurad <adomurad@redhat.com>
* netx/net/sourceforge/jnlp/tools/JarCertVerifier.java
(verifyJar): two for loops made into for-each loops
2012-06-19 Jiri Vanek <jvanek@redhat.com>
various test for browser engine
* tests/jnlp_tests/simple/AppletTest/resources/appletAutoTests.html:
fixed missing parenthesis
* tests/jnlp_tests/simple/AppletTest/resources/appletAutoTests2.html:
new test excluding XslowX for applets
* tests/jnlp_tests/simple/AppletTest/testcases/AppletTestTests:
(doubleChrome) test for ensuring that two chrome browsers launched
behind themselves will not cause errors as they were without
criticalFixes patch
(AppletInBrowserTest) and (AppletInBrowserTestXslowX) testing methods
for all browser
* tests/jnlp_tests/simple/AppletTest/testcases/AppletBaseURLTest:
* tests/jnlp_tests/simple/AppletTest/testcases/CheckServicesTests:
* tests/jnlp_tests/simple/AppletTest/testcases/AppletReadsInvalidJarTests:
Included @TestInBrowser instead of plain executeBrowser
* tests/jnlp_tests/simple/deadlocktest/srcs/DeadlockTest.java: improved
to print sometimes something out
* tests/jnlp_tests/simple/deadlocktest/testcases/DeadLockTestTest.java:
(testDeadLockTestTerminatedBody) enhanced to ensure that not so much is
lost when process is terminated, but showing that something can be lost
(which is correct)
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ResourcesTest.java:
(testNonExisitngBrowserWillNotDeadlock) testing taht when no browser is
set, then no deadlock happens as happen before criticalFixes's deadlyException
(testUnexistingProcessWillFailRecognizedly) is actually testing deadlyException
(testNonExisitngBrowserWillNotCauseMess) some but with annotation which
was also harming output of tool little bit without TestInBrowsersAnnotation fixed.
(testBrowsers2) is testing all browsers configuration without annotation
and (testBrowser3) do the same configuration tests annotation driven
(testBrowser) body of above two methods. Is testing whether used
browsers are correctly linked with latest build
(testBrowsers1) is testing parsing of -D variable
(testListeners) annotated that needs display
* tests/netx/unit/net/sourceforge/jnlp/runtime/CodeBaseClassLoaderTest.java:
annotated with Bug annotation
2012-06-19 Jiri Vanek <jvanek@redhat.com>
introduced possibility to run comfortably applets+html reproducers
* Makefile.am: used BROWSER_TESTS_MODIFICATION variable to pass global
switch from configure
* acinclude.m4: (IT_SET_GLOBAL_BROWSERTESTS_BHAVIOUR) new method
handling --with-browser-tests
* configure.ac: used IT_SET_GLOBAL_BROWSERTESTS_BHAVIOUR
switch and passing BROWSER_TESTS_MODIFICATION variable to Makefile.
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ServerAccess.java:
(currentBrowser) variable holding injected browser for ServerAccess instance
(loggedBrowser) static variable keeping id of (currentBrowser) for static
logging purposes
(modifyMethodWithForBrowser) new function changing the name of method to
"method - browser" for logging purposes
(getBrowserLocation) - returning path to process to be launched when
browser requested
(getBrowserParams) - gathering set default's browser settings
(set/getCurrentBrowsers) - set browser by id/return id of set browser
(set/getCurrentBrowser) - set browser instance /returns instance of
current browser
(executeBrowser) family of methods now cooperate with above methods for
default set browser
(executeBrowser(Browser) family to work with implicit browser
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/annotations/TestInBrowsers.java:
annotation for determining which browser(s) to use with annotated method
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/Browser.java:
interface for dealing with various browsers
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/BrowserFactory.java:
singleton for mapping configured browsers x requested browser x browsers proxies
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/BrowserTest.java:
Forefather of all testcases which have methods to do tests iniside browser.
Is allowing correct annotation -> proxy trasnver to VirtualServer for
selected method and is requesting custom runner from junit framework
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/BrowserTestRunner.java:
custom test Ruuner which is responsible for translating annotation and
run the method mutlipletimes for each requested browser and to name it properly
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/Browsers.java:
enumeration of abstract browsers and theirs sets or subsets.
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/browsers/*:
individual browsers proxies and theirs abstractions,namely:
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/browsers/Opera.java:
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/browsers/Firefox.java:
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/browsers/Chrome.java:
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/browsers/Chromium.java:
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/browsers/Midori.java:
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/browsers/Epiphany.java:
proxies for browsers as name suggests
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/browsers/LinuxBrowser.java:
abstract forefather for all browsers implementing Browser interface. Is
setting /usr/bin as bin path, libjavaplugin.so as default plugin library name,
intorducing stubs for methods (eg 32/64 bit libs)
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/browsertesting/browsers/MozillaFamilyLinuxBrowser:
forefather for all browsers except Opera. Is unifying .mozilla/plugins directories
2012-06-15 Jiri Vanek <jvanek@redhat.com>
* tests/jnlp_tests/simple/AppletTest/resources/appletAutoTests.html:
Added quotes around parameters of html applet tag.
* tests/jnlp_tests/simple/deadlocktest/testcases/DeadLockTestTest.java:
Output verification is counting with repeated and probably unfinished outputs.
* tests/jnlp_tests/simple/deadlocktest/srcs/DeadlockTest.java
Is now printing out sentence in intervals to avoid destroy-consume as much as possible
* tests/netx/unit/net/sourceforge/jnlp/runtime/CodeBaseClassLoaderTest.java:
Added bug annotation with threads on distro-pkg-dev
2012-06-15 Adam Domurad <adomurad@redhat.com>
Fixed two memory leaks
* plugin/icedteanp/IcedTeaNPPlugin.cc
(consume_message): Call to g_strsplit matched with call to g_strfreev.
* plugin/icedteanp/IcedTeaPluginUtils.cc
(post): Removed copy of string, which assumed consumer freed string
(which was not true and not always possible)
2012-06-11 Danesh Dadachanji <ddadacha@redhat.com>
PR855: AppletStub getDocumentBase() doesn't return full URL
* NEWS: Added PR855 entry.
* plugin/icedteanp/IcedTeaNPPlugin.cc (plugin_get_documentbase):
Assign documentbase_copy directly to href's value instead of iterating
through the segments to remove the file from the path.
* tests/jnlp_tests/simple/AppletBaseURLTest/srcs/AppletBaseURL.java:
* tests/jnlp_tests/simple/AppletBaseURLTest/testcases/AppletBaseURLTest.java:
* tests/jnlp_tests/simple/AppletBaseURLTest/resources/AppletBaseURLTest.html:
* tests/jnlp_tests/simple/AppletBaseURLTest/resources/AppletBaseURLTest.jnlp:
* tests/jnlp_tests/simple/AppletBaseURLTest/resources/AppletJNLPHrefBaseURLTest.html:
New reproducer that checks the URLS that document and codebase
point are correct.
2012-06-13 Danesh Dadachanji <ddadacha@redhat.com>
Update CheckServices reproducer to handle browser testcase.
* tests/jnlp_tests/simple/CheckServices/testcases/CheckServicesTests.java:
Added browser test and annotation, refactored asserts into helper method.
* tests/jnlp_tests/simple/CheckServices/resources/CheckPluginServices.html:
New browser test file that runs applet using jnlp_href.
2012-06-13 Jiri Vanek <jvanek@redhat.com>
* tests/junit-runner/JunitLikeXmlOutputListener.java:
Introduced TEST_IGNORED_ATTRIBUTE to mark test as ignored if should be.
* tests/report-styles/jreport.xsl: Applied correct text and style for
tests with attribute ignored.
2012-06-12 Adam Domurad <adomurad@redhat.com>
Fixes PR722, javaws failing to run with unsigned content in META-INF/
* NEWS: Added entry: Fixes PR722
* netx/net/sourceforge/jnlp/tools/JarCertVerifier.java: Changed
isSignatureRelated => isMetaInfFile. Now all files under META-INF/ are
disregarded in checking the jar signage.
2012-06-11 Jiri Vanek <jvanek@redhat.com>
Implemented xml logging backend
* Makefile.am: (stamps/run-netx-unit-tests.stamp) and
(stamps/run-netx-dist-tests.stamp) removed redirection of streams as
logging is now done in ServerAccess tests extensions
added xsltproc execution above generated xml log
xsltproc generating results html files is now receiving result of above
as parameter
* tests/report-styles/jreport.xsl: log parameter is now accepted, and
if set, then all tests are linking into specified file to show the log
* tests/report-styles/report.css: added styles for new links
* tests/report-styles/index.js: new functions to work for result of below sheet
* tests/report-styles/logs.xsl: new file, sheet to convert xml log to html file
* tests/report-styles/output.css: new file, styles of above html file
* tests/jnlp_tests/simple/deadlocktest/testcases/DeadLockTestTest.java:
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ResourcesTest.java:
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ServerAccess.java:
Tests', server's and ProcessAssasin's logs are now redirected to bottleneck
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ServerAccess.java:
(LOGS_REPRINT) flag for debugging purposes, will enable reprinting to
stdout/err again
(DEFAULT_LOG_FILE ) default name of xml output
(DEFAULT_STDERR_FILE)(DEFAULT_STDOUT_FILE)(DEFAULT_STDLOGS_FILE) default
values of plain text output files
(*ELEMENT) and( (*ATTRIBUTE) variables keeping repeated names of xml
output parts
(writeXmlLog) method called from Sytsem.hook to save xml log
(addToXmlLog) method to record item to xml structure
(TestsLogs) and (LogItem) inner classes to keep logging information
(log) is now reprinting message with id to std out/err dependently on
(LOGS_REPRINT) but always to internal streams, possilbe exception is thrown
(logException) new method, shortcut to log exception in same way as message
(getTestMethod) now can handle methods inside ServerAccess class too
2012-06-11 Adam Domurad <adomurad@redhat.com>
* NEWS: Added mention of fixing PR518
2012-06-07 Saad Mohammad <smohammad@redhat.com>
Allows the user to configure browser paths and/or disable browsers.
* acinclude.m4 (IT_FIND_BROWSER): Checks if the browser is set to be
disabled, or if the path provided is valid. Otherwise, it locates the
default path to the browser if found on the system.
* configure.ac: Uses IT_FIND_BROWSER to find/configure browsers.
2012-06-06 Deepak Bhole <dbhole@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(getAccessControlContextForClassLoading): Iterate over codebase URLs only
if codeBaseLoader is not null.
2012-06-05 Deepak Bhole <dbhole@redhat.com>
PR861: Allow loading from non codebase hosts. Allow code to connect to
hosting server.
* netx/net/sourceforge/jnlp/SecurityDesc.java
(getSandBoxPermissions): Only add host if it is not empty.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(getPermissions): Add SocketPermission for code source host.
(findLoadedClassAll): Call super methods privileged so that connection to
non codebase hosts can be made.
(findClass): Same.
(findResourcesBySearching): Same. Also use privileged context for enum
operations because the enum is defined on the fly by URLClassLoader and
checks for hosting server connectivity via next().
(getAccessControlContextForClassLoading): New method. Returns a control
context for classloader operations like find/load/etc.
(CodeBaseClassLoader::findClass): Call super methods privileged so that
connection to non codebase hosts can be made.
(CodeBaseClassLoader::findResource): Same.
2012-06-05 Jiri Vanek <jvanek@redhat.com>
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/annotations/KnownToFail.java
New file. Annotation for marking failing tests.
* tests/report-styles/jreport.xsl:
* tests/junit-runner/LessVerboseTextListener.java:
* tests/junit-runner/JunitLikeXmlOutputListener.java: Added counting
and printing of @KnownToFail annotations if presented.
* tests/jnlp_tests/simple/Spaces can be everywhere/testcases/SpacesCanBeEverywhereTests.java:
(SpacesCanBeEverywhereRemoteTests1) (SpacesCanBeEverywhereRemoteTests2)
(SpacesCanBeEverywhereRemoteTests3)
* tests/netx/unit/net/sourceforge/jnlp/JNLPMatcherTest.java: (testTemplateCDATA)
(testApplicationCDATA)
* tests/netx/unit/net/sourceforge/jnlp/ParserCornerCases.java:
(testCDataFirstChild) (testCDataSecondChild) (testCommentInAttributes)
* tests/netx/unit/net/sourceforge/jnlp/ParserMalformedXml.java:
(testMalformedArguments) (testTagNotClosed) (testUnquotedAttributes)
marked as KnownToFail
2012-06-05 Jiri Vanek <jvanek@redhat.com>
isDateInRange renamed to isDateInRange_internallForIcedTeaWebTesting
* netx/net/sourceforge/jnlp/runtime/pac-funcs.js: and
* tests/netx/pac/pac-funcs-test.js:
(isDateInRange): Renamed to isDateInRange_internallForIcedTeaWebTesting.
(isDateInRange_internallForIcedTeaWebTesting): New function
2012-06-04 Saad Mohammad <smohammad@redhat.com>
Added signed jnlp file tests.
* tests/jnlp_tests/signed/SignedJnlpApplication/resources/SignedJnlpApplication1.jnlp:
Launching jnlp file that matches the signed jnlp application file.
* tests/jnlp_tests/signed/SignedJnlpApplication/resources/SignedJnlpApplication2.jnlp:
* tests/jnlp_tests/signed/SignedJnlpApplication/resources/SignedJnlpApplication3.jnlp:
Launching jnlp file that does not match the signed jnlp application file.
* tests/jnlp_tests/signed/SignedJnlpApplication/srcs/JNLP-INF/APPLICATION.jnlp:
Signed jnlp application file.
* tests/jnlp_tests/signed/SignedJnlpApplication/srcs/SignedJnlpApplication.java:
A simple java class that outputs a string.
* tests/jnlp_tests/signed/SignedJnlpApplication/testcases/SignedJnlpApplicationTest.java:
Testcase that tests the launching of applications with a signed jnlp
application file.
* tests/jnlp_tests/signed/SignedJnlpTemplate/resources/SignedJnlpTemplate1.jnlp:
Launching jnlp file that matches the signed jnlp application template file.
* tests/jnlp_tests/signed/SignedJnlpTemplate/resources/SignedJnlpTemplate2.jnlp:
* tests/jnlp_tests/signed/SignedJnlpTemplate/resources/SignedJnlpTemplate3.jnlp:
Launching jnlp file that does not match the signed jnlp application
template file.
* tests/jnlp_tests/signed/SignedJnlpTemplate/srcs/JNLP-INF/APPLICATION_TEMPLATE.jnlp:
Signed jnlp application template file.
* tests/jnlp_tests/signed/SignedJnlpTemplate/srcs/SignedJnlpTemplate.java:
A simple java class that outputs a string.
* tests/jnlp_tests/signed/SignedJnlpTemplate/testcases/SignedJnlpTemplateTest.java:
Testcase that tests the launching of applications with a signed jnlp
application template file.
* tests/jnlp_tests/simple/UnsignedJnlpApplication/resources/UnsignedJnlpApplication1.jnlp:
Launching jnlp file that matches the unsigned jnlp application file.
* tests/jnlp_tests/simple/UnsignedJnlpApplication/resources/UnsignedJnlpApplication2.jnlp:
* tests/jnlp_tests/simple/UnsignedJnlpApplication/resources/UnsignedJnlpApplication3.jnlp:
Launching jnlp file that does not match the unsigned jnlp application file.
* tests/jnlp_tests/simple/UnsignedJnlpApplication/srcs/JNLP-INF/APPLICATION.jnlp:
Unsigned jnlp application file.
* tests/jnlp_tests/simple/UnsignedJnlpApplication/srcs/UnsignedJnlpApplication.java:
A simple java class that outputs a string.
* tests/jnlp_tests/simple/UnsignedJnlpApplication/testcases/UnsignedJnlpApplicationTest.java:
Testcase that tests the launching of applications with an unsigned jnlp
application file.
* tests/jnlp_tests/simple/UnsignedJnlpTemplate/resources/UnsignedJnlpTemplate1.jnlp:
Launching jnlp file that matches the unsigned jnlp application
template file.
* tests/jnlp_tests/simple/UnsignedJnlpTemplate/resources/UnsignedJnlpTemplate2.jnlp:
* tests/jnlp_tests/simple/UnsignedJnlpTemplate/resources/UnsignedJnlpTemplate3.jnlp:
Launching jnlp file that does not match the unsigned jnlp application
template file.
* tests/jnlp_tests/simple/UnsignedJnlpTemplate/srcs/JNLP-INF/APPLICATION_TEMPLATE.jnlp:
Unsigned jnlp application template file.
* tests/jnlp_tests/simple/UnsignedJnlpTemplate/srcs/UnsignedJnlpTemplate.java:
A simple java class that outputs a string.
* tests/jnlp_tests/simple/UnsignedJnlpTemplate/testcases/UnsignedJnlpTemplateTest.java:
Testcase that tests the launching of applications with an unsigned jnlp
application template file.
* tests/jnlp_tests/signed/SignedJnlpCaseTestOne/resources/SignedJnlpCaseTestOne1.jnlp:
Launching jnlp file that matches the signed jnlp application file.
* tests/jnlp_tests/signed/SignedJnlpCaseTestOne/resources/SignedJnlpCaseTestOne2.jnlp:
Launching jnlp file that does not match the signed jnlp application file.
* tests/jnlp_tests/signed/SignedJnlpCaseTestOne/srcs/JNLP-INF/aPpLiCaTioN.jnlp:
Signed jnlp application file.
* tests/jnlp_tests/signed/SignedJnlpCaseTestOne/srcs/SignedJnlpCase.java:
A simple java class that outputs a string.
* tests/jnlp_tests/signed/SignedJnlpCaseTestOne/testcases/SignedJnlpCaseOneTest.java:
Testcase that tests the case-sensitivity of the signed jnlp application's
filename.
* tests/jnlp_tests/signed/SignedJnlpCaseTestTwo/resources/SignedJnlpCaseTestTwo1.jnlp:
Launching jnlp file that matches the signed jnlp application template file.
* tests/jnlp_tests/signed/SignedJnlpCaseTestTwo/resources/SignedJnlpCaseTestTwo2.jnlp:
Launching jnlp file that does not match the signed jnlp application
template file.
* tests/jnlp_tests/signed/SignedJnlpCaseTestTwo/srcs/JNLP-INF/aPpLiCaTiOn_tEmPlAte.jnlp:
Signed jnlp application template file.
* tests/jnlp_tests/signed/SignedJnlpCaseTestTwo/srcs/SignedJnlpCase.java:
A simple java class that outputs a string.
* tests/jnlp_tests/signed/SignedJnlpCaseTestTwo/testcases/SignedJnlpCaseTwoTest.java:
Testcase that tests the case-sensitivity of the signed jnlp application
template's filename.
2012-06-04 Danesh Dadachanji <ddadacha@redhat.com>
Fix to handle absolute paths passed into jnlp_href's value.
* netx/net/sourceforge/jnlp/PluginBridge.java
(PluginBridge): Uses context of codebase to evaluate jnlp_href's value.
Uses JNLPCreator's create method to make new JNLPFile variables.
New constructor that wraps around the original one, creating a new
JNLPCreator to use.
* netx/net/sourceforge/jnlp/JNLPCreator.java: New strategy pattern class
to be used to wrap around the creation of a JNLPFile. Replace this creator
when unit testing to skip running parsing code.
* tests/netx/unit/net/sourceforge/jnlp/PluginBridgeTest.java:
New class to unit test getEvaluatedJNLPHref.
2012-06-04 Adam Domurad <adomurad@redhat.com>
Added self to AUTHORS.
This patch fixes PR518, ensures null termination of strings based off
of NPVariant results.
* plugin/icedteanp/IcedTeaPluginUtils.h: Added declaration of
NPVariantAsString
* plugin/icedteanp/IcedTeaPluginUtils.cc
(NPVariantAsString): New. Converts an NPVariant to a
std::string, assumes it is a valid NPString.
(isObjectJSArray): Now uses NPVariantAsString, minor cleanup.
* plugin/icedteanp/IcedTeaJavaRequestProcessor.cc
(plugin_get_documentbase): Now uses NPVariantAsString.
* plugin/icedteanp/IcedTeaNPPlugin.cc
(NPVariantToString): Now uses NPVariantAsString, minor cleanup.
2012-06-01 Deepak Bhole <dbhole@redhat.com>
PR863: Error passing strings to applet methods in Chromium
* plugin/icedteanp/IcedTeaJavaRequestProcessor.cc
(createJavaObjectFromVariant): Account for length of the characters.
* plugin/icedteanp/IcedTeaNPPlugin.cc (plugin_get_documentbase): Same.
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc (_eval): Print the
string's c_str rather than utf8characters.
* plugin/icedteanp/IcedTeaPluginUtils.cc (printNPVariant): Account for
length of the characters.
(NPVariantToString): Same.
(isObjectJSArray): Same.
2012-05-30 Jiri Vanek <jvanek@redhat.com>
Enabled multiple certificates and extracted variables
* Makefile.am: EXPORTED_TEST_CERT by EXPORTED_TEST_CERT_PREFIX and
EXPORTED_TEST_CERT_SUFFIX for further composition
SIGNED_REPRODUCERS new variable for iterating through signed reproducers
SIMPLE_REPRODUCERS new variable for iterating through simple reproducers
ALL_REPRODUCER new variable for iterating through all reproducers
(junit-jnlp-dist-signed.txt) replaced by
(stamps/junit-jnlp-dist-signed.stamp) which generates
junit-jnlp-dist-signedX.txt for each directory with signed reproducers
(stamps/netx-dist-tests-prepare-reproducers.stamp)
(stamps/change-dots-to-paths.stamp)
(stamps/netx-dist-tests-compile-testcases.stamp)
(run-netx-dist-codecoverage): extracted variables
(clean-netx-dist-tests): iterates through all the list and removes them
(stamps/netx-dist-tests-sign-some-reproducers.stamp): now iterate through
SIGNED_REPRODUCERS and creates special certificate for each member. Each
jar from this directory is then signed by corresponding certificate
(netx-dist-tests-remove-cert-from-public): iterates through all certificates
(stamps/netx-dist-tests-import-cert-to-public): exports each certificate
created during tests preparations
($(EXPORTED_TEST_CERT)) replaced by stamps/exported-test-certs.stamp which
create for each of SIGNED_REPRODUCERS individual certificate
(tests/jnlp_tests/README): mentioned possibility of multiple certificate
2012-05-29 Jiri Vanek <jvanek@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java: (getPermissions):
New rethrow of exceptions and following condition make more accurate.
2012-05-29 Jiri Vanek <jvanek@redhat.com>
Get rid of repeated sout/serr in reproducers testcases/unit tests and
introduce bottleneck for loging.
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ServerAccess.java:
(PROCESS_LOG) static flag for enabling/disabling automatic logging of
statically executed processes.
(logErrorReprint) (logOutputReprint) (logNoReprint) new methods, to call
logging bottleneck.
(log) main logging bottleneck, reprint message to according stream with
calling test-class and test-method as suffix.
(getTestMethod) new method to analyze calling test-method.
(executeProcess) enhanced for conditional automatic logging of start of
process and outputs of process.
* tests/jnlp_tests/signed/AppletTestSigned/testcases/AppletTestSignedTests.java:
* tests/jnlp_tests/signed/CacheReproducer/testcases/CacheReproducerTest.java:
* tests/jnlp_tests/signed/MissingJar/testcases/MissingJarTest.java:
* tests/jnlp_tests/signed/ReadPropertiesSigned/testcases/ReadPropertiesSignedTest.java:
* tests/jnlp_tests/signed/Spaces can be everywhere signed/testcases/SpacesCanBeEverywhereTestsSigned.java:
* tests/jnlp_tests/simple/AccessClassInPackage/testcases/AccessClassInPackageTest.java:
* tests/jnlp_tests/simple/AddShutdownHook/testcases/AddShutdownHookTest.java:
* tests/jnlp_tests/simple/AllStackTraces/testcases/AllStackTracesTest.java:
* tests/jnlp_tests/simple/AppletTest/testcases/AppletTestTests.java:
* tests/jnlp_tests/simple/CheckServices/testcases/CheckServicesTests.java:
* tests/jnlp_tests/simple/CreateClassLoader/testcases/CreateClassLoaderTest.java:
* tests/jnlp_tests/simple/InformationTitleVendorParser/testcases/InformationTitleVendorParserTest.java:
* tests/jnlp_tests/simple/ManifestedJar1/testcases/ManifestedJar1Test.java:
* tests/jnlp_tests/simple/ReadEnvironment/testcases/ReadEnvironmentTest.java:
* tests/jnlp_tests/simple/ReadProperties/testcases/ReadPropertiesTest.java:
* tests/jnlp_tests/simple/RedirectStreams/testcases/RedirectStreamsTest.java:
* tests/jnlp_tests/simple/ReplaceSecurityManager/testcases/ReplaceSecurityManagerTest.java:
* tests/jnlp_tests/simple/SetContextClassLoader/testcases/SetContextClassLoaderTest.java:
* tests/jnlp_tests/simple/Spaces can be everywhere/testcases/SpacesCanBeEverywhereTests.java:
* tests/jnlp_tests/simple/deadlocktest/testcases/DeadLockTestTest.java:
* tests/jnlp_tests/simple/simpletest1/testcases/SimpleTest1Test.java:
* tests/jnlp_tests/simple/simpletest2/testcases/SimpleTest2Test.java:
* tests/netx/unit/net/sourceforge/jnlp/cache/CacheLRUWrapperTest.java:
* tests/netx/unit/net/sourceforge/jnlp/runtime/CodeBaseClassLoaderTest.java:
* tests/netx/unit/net/sourceforge/jnlp/util/replacements/BASE64EncoderTest.java:
all System.out replaced by ServerAccess.logOutputReprint
and System.err replaced by ServerAccess.logErrorReprint
2012-05-25 Adam Domurad <adomurad@redhat.com>
Changed for-loops over iterators and indices to for-each loops if they
were sufficient and clearer.
* netx/net/sourceforge/jnlp/JNLPFile.java: Changed for-loops that could
be expressed more clearly as for-each loops.
* netx/net/sourceforge/jnlp/PluginBridge.java: Same
* netx/net/sourceforge/jnlp/ResourcesDesc.java: Same
* netx/net/sourceforge/jnlp/cache/CacheUtil.java: Same
* netx/net/sourceforge/jnlp/cache/DefaultDownloadIndicator.java: Same
* netx/net/sourceforge/jnlp/cache/Resource.java: Same
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java: Same
* netx/net/sourceforge/jnlp/runtime/AppletEnvironment.java: Same
* netx/net/sourceforge/jnlp/runtime/ApplicationInstance.java: Same
* plugin/icedteanp/java/netscape/javascript/JSObject.java: Same
* plugin/icedteanp/java/sun/applet/JavaConsole.java: Same
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java: Same
2012-05-23 Adam Domurad <adomurad@redhat.com>
Removed instances of snprintf where buffer size was not known. Added
buffer size constant for allocating buffers for numeric conversions.
* plugin/icedteanp/IcedTeaNPPlugin.cc: Removed usage of snprintf for
simple blanking of strings. Buffer size was misguided previously.
Used NUM_STR_BUFFER_SIZE constant to replace magic numbers/
* plugin/icedteanp/IcedTeaPluginUtils.cc: Made
NPVariantToString(NPVariant variant, std::string* result) use two
space indentation. Used NUM_STR_BUFFER_SIZE constant to replace magic
numbers.
* plugin/icedteanp/IcedTeaPluginUtils.h: Added constant,
NUM_STR_BUFFER_SIZE.
2012-05-24 Danesh Dadachanji <ddadacha@redhat.com>
Fix use of src dir instead of build dir when whitelisting.
* Makefile.am (REPRODUCERS_CLASS_WHITELIST): Use abs_top_srcdir
instead of abs_top_builddir.
2012-05-23 Martin Olsson <martin@minimum.se>
* plugin/icedteanp/IcedTeaPluginUtils.cc:
Tiny fixup for changeset 383; don't do free(stack_variable).
2012-05-20 Jiri Vanek <jvanek@redhat.com>
Reproducers engine enhanced for jars in subdirectories by "." naming convention
* Makefile.am: (stamps/change-dots-to-paths.stamp) new target to copy jars
with dots (.jar omitted) to the java-like package/directory structure in
jnlp_test_server
(EXPORTED_TEST_CERT) now depends on stamps/change-dots-to-paths.stamp
(clean-netx-dist-tests) removes stamps/change-dots-to-paths.stamp too.
2012-05-24 Jiri Vanek <jvanek@redhat.com>
Introduced whitelist for reproducers
* netx-dist-tests-whitelist: new file, contains regular expressions
(separated by space) for expr to select testcases which only will be
run. By default set to all by expression .*
* Makefile.am: (REPRODUCERS_CLASS_NAMES) When class with testcases is
going to be included in list, it is at first check for match in whitelist.
If there is no match, will not be included.
2012-05-24 Martin Olsson <martin@minimum.se>
* plugin/icedteanp/IcedTeaPluginUtils.cc:
Fix two typos.
2012-05-23 Deepak Bhole <dbhole@redhat.com>
* AUTHORS: Added Martin Olsson to list.
2012-05-23 Martin Olsson <martin@minimum.se>
* plugin/icedteanp/IcedTeaNPPlugin.cc:
Use g_mutex_free instead of g_free to free appletviewer_mutex (fixes
crash).
2012-05-23 Deepak Bhole <dbhole@redhat.com>
* ChangeLog: Converted spaces to tabs in an older entry
2012-05-23 Jiri Vanek <jvanek@redhat.com>
* netx/net/sourceforge/jnlp/resources/Messages.properties: fixed error
in PBadNonrelativeUrl
2012-05-23 Jiri Vanek <jvanek@redhat.com>
Added more debugging outputs
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
(getCodeSourceSecurity): added output message when no SecurityDesc is found
for some url/resource
* netx/net/sourceforge/jnlp/resources/Messages.properties: added LNoSecInstance
and LCertFoundIn values
* netx/net/sourceforge/jnlp/security/KeyStores.java: (getPathToKeystore):
new method, able to search for file used for creating of KeyStore if possible
* netx/net/sourceforge/jnlp/security/CertificateUtils.java: (inKeyStores)
using getPathToKeystore for debug output
2012-05-23 Jiri Vanek <jvanek@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java: (getPermissions):
Any exception from this method is consumed somewhere. I have cough exception,
reprint it in debug mode and re-throw (to be lost). Main condition in this
method had several possible NullPointer exceptions. Separated and thrown before
this condition.
2012-05-23 Jiri Vanek <jvanek@redhat.com>
Enhanced about dialog
* extra/net/sourceforge/javaws/about/Main.java: Main frame and Main tab
renamed from "About NetX" to "About IcedTea-Web and NetX".
* extra/net/sourceforge/javaws/about/resources/about.html: mentioned
IcedTea-Web.
* extra/net/sourceforge/javaws/about/resources/notes.html: List of authors
synchronized with AUTHORS, mentioned classpath's IcedTea-Web as homepage
of IcedTea-web.
2012-05-23 Jiri Vanek <jvanek@redhat.com>
Fixed error in reproducers source preparation
* Makefile.am: (stamps/netx-dist-tests-prepare-reproducers.stamp) removed
inappropriately used quotes when copying notSrcFiles. Source files now
copied only if src dir exists in reproducer
2012-05-22 Adam Domurad <adomurad@redhat.com>
Changed allocation of small, fixed-size buffers to stack-based
allocations. Changed occurences of sprintf to the safer function
snprintf, added buffer information. While unlikely to change
functionality, snprintf adds an extra check to prevent buffer
overflows.
* plugin/icedteanp/IcedTeaNPPlugin.cc: Allocation of small buffers
using malloc changed to stack allocation & changed sprintf calls to
buffer-size aware snprintf calls.
* plugin/icedteanp/IcedTeaPluginUtils.cc: Same as above.
2012-05-22 Jiri Vanek <jvanek@redhat.com>
* tests/jnlp_tests/signed/ReadPropertiesSigned/testcases/ReadPropertiesSignedTest.java:
* tests/jnlp_tests/simple/AddShutdownHook/testcases/AddShutdownHookTest.java:
* tests/jnlp_tests/simple/AllStackTraces/testcases/AllStackTracesTest.java:
* tests/jnlp_tests/simple/CreateClassLoader/testcases/CreateClassLoaderTest.java:
* tests/jnlp_tests/simple/ReadEnvironment/testcases/ReadEnvironmentTest.java:
* tests/jnlp_tests/simple/ReadProperties/testcases/ReadPropertiesTest.java:
* tests/jnlp_tests/simple/RedirectStreams/testcases/RedirectStreamsTest.java:
* tests/jnlp_tests/simple/ReplaceSecurityManager/testcases/ReplaceSecurityManagerTest.java:
* tests/jnlp_tests/simple/SetContextClassLoader/testcases/SetContextClassLoaderTest.java:
All exact matches upon AccessControlException replaced by regular expression matching both jdk7 and jdk6 syntax
2012-05-21 Jiri Vanek <jvanek@redhat.com>
* Makefile.am: mzilla-filesystem linking targets now counts also with
midori and epiphany. Extracted duplicated entries to variables
* configure.ac: added check for midori and epiphany
2012-05-21 Jiri Vanek <jvanek@redhat.com>
Added detection of installed browsers and added targets to create
symbolic links from install dir to browsers' plugin directories.
Primarily for testing purposes
* Makefile.am: (stamps/user-links.stamp) with alias (links) - new target for
creating symlinks for all users. One must be root to execute this target.
(stamps/global-links.stamp) with alias (user-links) - new target
for creating symlinks for logged user only. Because opera is missing this feature,
quite useless for testing or dependence targets, but good for live user.
(restore-global-links): target for restoring original global links.
One must be root again
(restore-user-links): target for restoring user's links
* configure.ac: added basic check whether and which browsers are
installed
2012-05-18 Jiri Vanek <jvanek@redhat.com>
Fixed behavior when encoded/characters needed encoding included in url
* NEWS: mentioned PR811
* netx/net/sourceforge/jnlp/cache/CacheUtil.java: (urlEquals) Enhanced
to be able compare encoded/decoded urls correctly.
(notNullUrlEquals) new method to separate comparing of individual parts of
url from null checks
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java: (addResource)
is now encoding url if needed. (normalizeUrl) new method to encode path in
url of all except file protocol. (normalizeChunk) New method for encoding
of atomic piece.
2012-05-18 Jiri Vanek <jvanek@redhat.com>
More tests for Spaces and characters in urls
* netx/net/sourceforge/jnlp/cache/CacheLRUWrapper.java: and
* netx/net/sourceforge/jnlp/cache/CacheUtil.java: for unit-tests
purposes (cacheDir) make to point to tmp dir when no
DeploymentConfiguration exists.
* tests/jnlp_tests/signed/Spaces can be everywhere signed/:
couple of new test doing the same as simple "Spaces can be everywhere"
but are signed
* tests/jnlp_tests/simple/Spaces can be everywhere/: added new test-cases
and html/jnlp test files to try more combinations of encodable characters
x launches
* tests/netx/unit/net/sourceforge/jnlp/cache/ResourceTrackerTest.java:
unittest for url encoder behavior
* tests/netx/unit/net/sourceforge/jnlp/cache/CacheUtilTest.java:
unittest for urlEquals function
2012-05-17 Adam Domurad <adomurad@redhat.com>
Fixed uses of == to compare String objects to .equals where
appropriate.
Noted a non-obvious use of == to compare a 'magic' String reference.
* netx/net/sourceforge/jnlp/JNLPFile.java:
Changed calls that compare String contents from == to .equals
* plugin/icedteanp/java/sun/applet/GetMemberPluginCallRequest.java:
Same
* plugin/icedteanp/java/sun/applet/PluginCallRequestFactory.java:
Same
* netx/net/sourceforge/jnlp/Version.java: Added comment explaining why
== was used vs .equals
2012-05-14 Jiri Vanek <jvanek@redhat.com>
* tests/netx/unit/net/sourceforge/jnlp/runtime/CodeBaseClassLoaderTest.java:
* tests/netx/unit/net/sourceforge/jnlp/cache/CacheLRUWrapperTest.java:
System.out replaced with System.err
2012-05-14 Jiri Vanek <jvanek@redhat.com>
* tests/junit-runner/JunitLikeXmlOutputListener.java: fixed indentation
and spacing
2012-05-11 Thomas Meyer <thomas@m3y3r.de>
* tests/netx/unit/net/sourceforge/jnlp/util/PropertiesFileTest.java: Add
some unit tests for the PropertiesFile class
* tests/netx/unit/net/sourceforge/jnlp/cache/CacheLRUWrapperTest.java: Add
some unit tests for the CacheLRUWrapper class
* netx/net/sourceforge/jnlp/util/PropertiesFile.java: Use last
modification timestamp of the underlying file to lazy load properties.
(load): Only reload file, if the file modification timestamp has changed.
(store): Actually fsync() the file to disk.
* netx/net/sourceforge/jnlp/services/XPersistenceService.java (create):
Fix coding style
* netx/net/sourceforge/jnlp/cache/CacheLRUWrapper.java (load): Only check
data when the recently_used file was reloaded.
2012-05-02 Jiri Vanek <jvanek@redhat.com>
Introduced new annotations Bug (to connect test/reproducer with documentation)
and NeedsDisplay which tells the launching engine that this particular
test needs Display. Based on ptisnovs's ideas and jtreg experiences
*Makefile.am: (JUNIT_RUNNER_JAR), (stamps/run-netx-unit-tests.stamp) and
(stamps/run-unit-test-code-coverage.stamp) are now dependent on (stamps/netx-dist-tests-compile)
and classpaths inside them have been enriched for JNLP_TESTS_ENGINE_DIR
which contains definitions of those annotations
*tests/jnlp_tests/simple/CheckServices/testcases/CheckServicesTests.java: and
*tests/jnlp_tests/simple/ManifestedJar1/testcases/ManifestedJar1Test.java: and
*tests/jnlp_tests/simple/Spaces can be everywhere/testcase/SpacesCanBeEverywhereTests.java:
filled Bug annotations
*tests/junit-runner/JunitLikeXmlOutputListener.java: made to understand
Bug annotation
*tests/netx/jnlp_testsengine/net/sourceforge/jnlp/annotations/NeedsDisplay.java:
and
*tests/netx/jnlp_testsengine/net/sourceforge/jnlp/annotations/Bug.java:
annotations definitions
*tests/report-styles/jreport.xsl: made nice links from bug annotation
prepared by JunitLikeXmlOutputListener
2012-04-24 Omair Majid <omajid@redhat.com>
* Makefile.am
(RUNTIME): Add resources.jar.
(stamps/run-unit-test-code-coverage.stamp) [WITH_EMMA]: Add resouces.jar
to classpath.
(stamps/run-reproducers-test-code-coverage.stamp) [WITH_EMMA]: Include
resources.jar in classpath.
(stamps/bootstrap-directory.stamp): Create a link to resources.jar in
BOOT_DIR.
2012-04-19 Omair Majid <omajid@redhat.com>
PR918: java applet windows uses a low resulution black/white icon
* NEWS: Update with fix.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java: Remove windowIcon.
(initialize): Do not call loadWindowIcon.
(getWindowIcon): Remove.
(setWindowIcon): Remove.
(loadWindowIcon): Remove.
* netx/net/sourceforge/jnlp/runtime/JNLPSecurityManager.java
(checkTopLevelWindow): Do not set the icon for all top level windows. Use
the default java icon instead.
* netx/net/sourceforge/jnlp/util/ImageResources.java: New file. Provides
access to icons.
* netx/net/sourceforge/jnlp/JNLPSplashScreen.java (JNLPSplashScreen),
* netx/net/sourceforge/jnlp/cache/DefaultDownloadIndicator.java
(getListener),
* netx/net/sourceforge/jnlp/controlpanel/AdvancedProxySettingsDialog.java
(AdvancedProxySettingsDialog),
* netx/net/sourceforge/jnlp/controlpanel/CacheViewer.java (CacheViewer),
* netx/net/sourceforge/jnlp/controlpanel/ControlPanel.java (ControlPanel),
* netx/net/sourceforge/jnlp/security/SecurityDialog.java (SecurityDialog),
* netx/net/sourceforge/jnlp/security/viewer/CertificateViewer.java
(CertificateViewer),
* netx/net/sourceforge/jnlp/util/BasicExceptionDialog.java (show),
* plugin/icedteanp/java/sun/applet/JavaConsole.java (initialize):
Explicitly load icons.
* tests/netx/unit/net/sourceforge/jnlp/util/ImageResourcesTest.java: Test
for ImageResources class.
2012-04-18 Jiri Vanek <jvanek@redhat.com>
Allowed signed applets in automatic reproducers tests
* tests/jnlp_tests/signed/AppletTestSigned/resources/AppletTestSigned.html:
html file for launching signed applet. Its style is different from the one for
calling unsigned applets - red.
* tests/jnlp_tests/signed/AppletTestSigned/resources/AppletTestSigned.jnlp:
jnlp file for launched signed applet
* tests/jnlp_tests/signed/AppletTestSigned/srcs/AppletTestSigned.java
body of signed applet
* tests/jnlp_tests/signed/AppletTestSigned/testcases/AppletTestSignedTests.java:
(AppletTestSignedTest): testing method to launch signed applet in javaws
(AppletTestSignedFirefoxTest): testing method to launch signed applet in
browser
* Makefile.am: PUBLIC_KEYSTORE_PASS, EXPORTED_TEST_CERT, TEST_CERT_ALIAS,
PUBLIC_KEYSTORE PUBLIC_KEYSTORE_PASS: new global variables holding
keystores' credentials
(clean-local): clean-bootstrap-directory moved to be last one, as keytool
is necessary for removing certificate
(EXPORTED_TEST_CERT): new target exporting certificate from testing keystore
(stamps/netx-dist-tests-import-cert-to-public): new target to import
certificate to PUBLIC_KEYSTORE
(netx-dist-tests-remove-cert-from-public): new target removing testing
certificate from PUBLIC_KEYSTORE
(clean-netx-dist-tests): now depends on netx-dist-tests-remove-cert-from-public
and is removing EXPORTED_TEST_CERT file
2012-04-17 Jiri Vanek <jvanek@redhat.com>
Rewritten DeadLockTestTest to stop failing in more then 1/2 of cases
All assassinated processes were hanging as zombies, killed forcibly by
kill -9 now.
* /tests/jnlp_tests/simple/deadlocktest/testcases/DeadLockTestTest.java:
(countJavaInstances) now return pids of found javas.
(killDiff) new method killing zombie javas forcibly.
2012-04-11 Jiri Vanek <jvanek@redhat.com>
* Makefile.am: EMMA_JAVA_ARGS, new variable for adjusting emma runs.
Currently set to -Xmx2G.
(stamps/run-unit-test-code-coverage.stamp),
(stamps/run-reproducers-test-code-coverage.stamp),
(run-test-code-coverage): Use EMMA_JAVA_ARGS in theirs emma runs.
2012-06-04 Jiri Vanek <jvanek@redhat.com>
Thomas Meyer <thomas@m3y3r.de>
* makefile.am: (stamps/run-netx-dist-tests.stamp) and
(run-reproducers-test-code-coverage.stamp)
now using $(javaws) variable instead of plaintext javaws
* netx/net/sourceforge/jnlp/cache/CacheLRUWrapper.java: (checkData) new
method checking for sanity of cache entries
(load) now checks for data sanity after loading, and stores without
corrupted items if necessary
(Comparator.compare) for sorting lru items. Now redundant checking for
sanity removed
* netx/net/sourceforge/jnlp/cache/CacheUtil.java: (getCacheFile) don't
call lruHandler.store twice for new cache entries
(getCacheFileIfExist) removed iteration and cleaning mechanism
* netx/net/sourceforge/jnlp/resources/Messages.properties: modified
cache messages
* tests/jnlp_tests/signed/CacheReproducer/testcases/CacheReproducerTest.java
Added test for checking corrupted path in entry and all tests adapted for
exception thrown only in debug mode
2012-04-04 Danesh Dadachanji <ddadacha@redhat.com>
Change the name of JarSigner to JarCertVerifier to make it more
relevant to the purpose of the file.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
* netx/net/sourceforge/jnlp/tools/KeyStoreUtil.java:
Replace all instances, paramaters and references of JarSigner
by JarCertVerifier.
* netx/net/sourceforge/jnlp/security/CertWarningPane.java
* netx/net/sourceforge/jnlp/security/CertsInfoPane.java
* netx/net/sourceforge/jnlp/security/MoreInfoPane.java
* netx/net/sourceforge/jnlp/security/SecurityDialogs.java:
Replaced all paramaters, references and variable names of JarSigner
to CertVerifier to match the variable object type.
* netx/net/sourceforge/jnlp/security/SecurityDialog.java (getJarSigner):
Renamed to getCertVerifier as it returns the certVerfier instance.
* netx/net/sourceforge/jnlp/tools/JarSigner.java:
Renamed to JarCertVerifier.
* netx/net/sourceforge/jnlp/tools/JarCertVerifier.java:
The rename of JarSigner.
2012-04-05 Jiri Vanek <jvanek@redhat.com>
Fixing issue when process was not launched at all and when was killed but
left behind living/hanging, fixing mime-types
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ServerAccess.java:
(getContentOfStream) this method overloaded with possibility to specify
encoding (I needed to set it to ASCII in one test)
(deadlyException) field introduced in ThreadedProcess to record exception
caused by impassibility of launching the process. And so process have
been null without any sign why.
(TinyHttpdImpl) now correctly returns known mime types
(ProcessAssasin) can now skip or smoothly (and finally correctly)
destroy its process, and all his logging messages were done null-proof
(as deadlyException now allows)
Asynchronous (ContentReader) have been silenced when complaining about
closed streams by Assassin.
2012-04-03 Danesh Dadachanji <ddadacha@redhat.com>
Change all vendors in JNLP test suite to IcedTea and homepage href's to
a link to IcedTea-Web's wiki page.
* tests/jnlp_tests/signed/AccessClassInPackageSigned/resources/AccessClassInPackageSignedJAVAXJNLP.jnlp
* tests/jnlp_tests/signed/AccessClassInPackageSigned/resources/AccessClassInPackageSignedNETSF.jnlp
* tests/jnlp_tests/signed/AccessClassInPackageSigned/resources/AccessClassInPackageSignedSELF.jnlp
* tests/jnlp_tests/signed/AccessClassInPackageSigned/resources/AccessClassInPackageSignedSUNSEC.jnlp
* tests/jnlp_tests/signed/CacheReproducer/resources/CacheReproducer1.jnlp
* tests/jnlp_tests/signed/CacheReproducer/resources/CacheReproducer1_1.jnlp
* tests/jnlp_tests/signed/CacheReproducer/resources/CacheReproducer2.jnlp
* tests/jnlp_tests/signed/CacheReproducer/resources/CacheReproducer2_1.jnlp
* tests/jnlp_tests/signed/MissingJar/resources/MissingJar.jnlp
* tests/jnlp_tests/signed/MissingJar/resources/MissingJar2.jnlp
* tests/jnlp_tests/signed/MissingJar/resources/MissingJar3.jnlp
* tests/jnlp_tests/signed/MissingJar/resources/MissingJar4.jnlp
* tests/jnlp_tests/signed/ReadPropertiesBySignedHack/resources/ReadPropertiesBySignedHack.jnlp
* tests/jnlp_tests/signed/ReadPropertiesSigned/resources/ReadPropertiesSigned1.jnlp
* tests/jnlp_tests/signed/ReadPropertiesSigned/resources/ReadPropertiesSigned2.jnlp
* tests/jnlp_tests/signed/SimpletestSigned1/resources/SimpletestSigned1.jnlp
* tests/jnlp_tests/simple/AccessClassInPackage/resources/AccessClassInPackageJAVAXJNLP.jnlp
* tests/jnlp_tests/simple/AccessClassInPackage/resources/AccessClassInPackageNETSF.jnlp
* tests/jnlp_tests/simple/AccessClassInPackage/resources/AccessClassInPackageSELF.jnlp
* tests/jnlp_tests/simple/AccessClassInPackage/resources/AccessClassInPackageSUNSEC.jnlp
* tests/jnlp_tests/simple/AddShutdownHook/resources/AddShutdownHook.jnlp
* tests/jnlp_tests/simple/AllStackTraces/resources/AllStackTraces.jnlp
* tests/jnlp_tests/simple/AppletTest/resources/AppletTest.jnlp
* tests/jnlp_tests/simple/CheckServices/resources/CheckServices.jnlp
* tests/jnlp_tests/simple/CreateClassLoader/resources/CreateClassLoader.jnlp
* tests/jnlp_tests/simple/InformationTitleVendorParser/resources/TitleParser.jnlp
* tests/jnlp_tests/simple/InformationTitleVendorParser/resources/TitleVendorParser.jnlp
* tests/jnlp_tests/simple/InformationTitleVendorParser/resources/VendorParser.jnlp
* tests/jnlp_tests/simple/ManifestedJar1/resources/ManifestedJar-1main2mainAppDesc.jnlp
* tests/jnlp_tests/simple/ManifestedJar1/resources/ManifestedJar-1main2mainNoAppDesc.jnlp
* tests/jnlp_tests/simple/ManifestedJar1/resources/ManifestedJar-1main2nothingNoAppDesc.jnlp
* tests/jnlp_tests/simple/ManifestedJar1/resources/ManifestedJar-1mainHaveAppDesc.jnlp
* tests/jnlp_tests/simple/ManifestedJar1/resources/ManifestedJar-1mainNoAppDesc.jnlp
* tests/jnlp_tests/simple/ManifestedJar1/resources/ManifestedJar-1noAppDesc.jnlp
* tests/jnlp_tests/simple/ManifestedJar1/resources/ManifestedJar-1noAppDescAtAll.jnlp
* tests/jnlp_tests/simple/ManifestedJar1/resources/ManifestedJar-1nothing2nothingAppDesc.jnlp
* tests/jnlp_tests/simple/ManifestedJar1/resources/ManifestedJar-1nothing2nothingNoAppDesc.jnlp
* tests/jnlp_tests/simple/ReadEnvironment/resources/ReadEnvironment.jnlp
* tests/jnlp_tests/simple/ReadProperties/resources/ReadProperties1.jnlp
* tests/jnlp_tests/simple/ReadProperties/resources/ReadProperties2.jnlp
* tests/jnlp_tests/simple/RedirectStreams/resources/RedirectStreams.jnlp
* tests/jnlp_tests/simple/ReplaceSecurityManager/resources/ReplaceSecurityManager.jnlp
* tests/jnlp_tests/simple/SetContextClassLoader/resources/SetContextClassLoader.jnlp
* tests/jnlp_tests/simple/Spaces can be everywhere/resources/Spaces can be everywhere1.jnlp
* tests/jnlp_tests/simple/Spaces can be everywhere/resources/Spaces can be everywhere2.jnlp
* tests/jnlp_tests/simple/Spaces can be everywhere/resources/SpacesCanBeEverywhere1.jnlp
* tests/jnlp_tests/simple/deadlocktest/resources/deadlocktest.jnlp
* tests/jnlp_tests/simple/deadlocktest/resources/deadlocktest_1.jnlp
* tests/jnlp_tests/simple/simpletest1/resources/simpletest1.jnlp
* tests/jnlp_tests/simple/simpletest1/resources/simpletestCustomSplash.jnlp
* tests/jnlp_tests/simple/simpletest1/resources/simpletestMegaSlow.jnlp
* tests/jnlp_tests/simple/simpletest1/resources/simpletestSlow.jnlp
* tests/jnlp_tests/simple/simpletest1/resources/simpletestSlowBrokenCustomSplash.jnlp
* tests/jnlp_tests/simple/simpletest1/resources/simpletestSlowSlowCustomSplash.jnlp
* tests/jnlp_tests/simple/simpletest2/resources/simpletest2.jnlp:
Replaced the specified vendor with IcedTea and homepage with a link to
IcedTea-Web's wiki.
2012-04-03 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/pac-funcs.js: Replace incorrect use of
getYear() with getFullYear().
(inYearMonthDateRange): Add missing conditional case.
* tests/netx/pac/pac-funcs-test.js
(runTest): New function.
(runTests): Call runTest.
(incDate): Deal with month/year wrapping around.
(decDate): Removed.
(testDateRange, testDateRange2, testDateRange3): Handle wrapping of month
and days.
2012-04-03 Jiri Vanek <jvanek@redhat.com>
Tests virtual server thread marked as daemon by default
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ServerAccess.java:
All (ServerLauncher) instances returned by methods were marked as daemon
by default. Possibility to change and api were kept.
2012-03-30 Danesh Dadachanji <ddadacha@redhat.com>
Certificate start dates are not being checked, they are still verified
even if the date has yet not been reached.
* netx/net/sourceforge/jnlp/tools/JarSigner.java (verifyJar): If the start
date is in the future, set notYetValidCert to true.
2012-03-21 Omair Majid <omajid@redhat.com>
* tests/netx/unit/net/sourceforge/jnlp/JNLPMatcherTest.java
(testIsMatchDoesNotHangOnLargeData): New method.
2012-03-21 Lars Herschke <lhersch@dssgmbh.de>
PR898: signed applications with big jnlp-file doesn't start
* netx/net/sourceforge/jnlp/JNLPMatcher.java (JNLPMatcher): Handle large
files correctly.
2012-03-19 Danesh Dadachanji <ddadacha@redhat.com>
Fix failing unit test missing title/vendor tags in the JNLP stream.
* tests/netx/unit/net/sourceforge/jnlp/ParserCornerCases.java
(testNestedComments): Added title and vendor tags to malformedJnlp.
2012-03-19 Jiri Vanek <jvanek@redhat.com>
* tests/jnlp_tests/signed/CacheReproducer/testcases/CacheReproducerTest.java:
as javaws have now integrated splash, I have changed this test to lunch
javaws -Xclearcache with -headless to skip this logo (although it is
not fatal fr testrun itself)
* tests/jnlp_tests/simple/AppletTest/resources/appletAutoTests.html:
this html file is lunched during tests run in browser and stdout of
lunched applet is examined. Is lunched with slow resources to test
spalshscreen
* tests/jnlp_tests/simple/AppletTest/resources/appletViewTest.html: this
test html file is dedicated to manual lunch and let user to look how the
applet (with slow loading) is loaded and how looks splashscreen in
small mode and in large mode
* tests/jnlp_tests/simple/AppletTest/testcases/AppletTestTests.java:
test is enriched for lunching the html file with applet in browser and
is examining output of this file. Browser must be always terminated as
there is no way how to close from inside
* tests/jnlp_tests/simple/simpletest1/resources/netxPlugin.png:
image to let user observe that user-defined splashscreen is still
working even when internal splashscreen is enabled
* tests/jnlp_tests/simple/simpletest1/resources/simpletestCustomSplash.jnlp:
this and all jnlp files below are just for manual lunching and for
watching various lunches of splash screen - slow loading of resources
and with custom splash
* tests/jnlp_tests/simple/simpletest1/resources/simpletestMegaSlow.jnlp:
slow loading of resource and (XslowX)jnlp also
* tests/jnlp_tests/simple/simpletest1/resources/simpletestSlow.jnlp:
slow loading of resource
* tests/jnlp_tests/simple/simpletest1/resources/simpletestSlowBrokenCustomSplash.jnlp:
slow loading of resource with broken user's splash (our internal will be used)
* tests/jnlp_tests/simple/simpletest1/resources/simpletestSlowSlowCustomSplash.jnlp:
slow loading of custom splash screen and resource
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ServerAccess.java:
Main server launcher was modified to support lunching of browser,
stdout listteners and for slowing download of resources to provide time
for watching splash screen (main) was rewritten to provide free port OR
run server in-D specified directory on custom or default port - very
useful for debuging reproducers
(getIndependentInstance) can now run also on specified port and (or) directory
(USED_BROWSER_COMMAND) new constant handling value of -D property to
set browser = "used.browser.command";
(getBrowserLocation) new method to provide specified
(by used.browser.command -D property) or default browser location (firefox)
(ensureServer) test is testing weather XslowXmodifier is working
(executeBrowser) set of overloaded functions to lunch browser
(TinyHttpdImpl) was enriched for XslowX modifier. When resource starts
with this, is returned slowly - splited to 10 parts with 1s delay
betwen sending each of them.
Although it is throwing BrokenPipe exception, is working fine.
(splitArray) new function to split array of byte to n arrays of bytes,
which when concated do the same array
(splitArrayTestN) set of tests for splitArray
(ContentReader) now can also have lsteners for catching outputs n runtime.
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ContentReaderListener.java:
Listener for catching chars and lines form processes outputs
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ResourcesTest.java:
added (testListeners) to test listeners behaviour
2012-03-16 Danesh Dadachanji <ddadacha@redhat.com>
Applications using JNLP files without a title or vendor section
still run, despite them being required elements.
* netx/net/sourceforge/jnlp/Parser.java:
(getInformationDesc): If title or vendor are not found in info,
a new ParseException is thrown.
* netx/net/sourceforge/jnlp/resources/Messages.properties:
Added PNoTitleElement and PNoVendorElement
* tests/jnlp_tests/simple/InformationTitleVendorParser/resources/InformationParser.jnlp,
* tests/jnlp_tests/simple/InformationTitleVendorParser/resources/TitleParser.jnlp,
* tests/jnlp_tests/simple/InformationTitleVendorParser/resources/TitleVendorParser.jnlp,
* tests/jnlp_tests/simple/InformationTitleVendorParser/resources/VendorParser.jnlp,
* tests/jnlp_tests/simple/InformationTitleVendorParser/testcases/TitleVendorParserTest.java:
New test that runs JNLPs in a combination of missing information, title
and vendor tags, checking for the appropriate exceptions.
2012-03-14 Deepak Bhole <dbhole@redhat.com>
Omair Majid <omajid@redhat.com>
PR895: IcedTea-Web searches for missing classes on each loadClass or
findClass
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(CodeBaseClassLoader): Added new map to track resources that are not
found.
(findClass): If resource was not found before, return immediately. If
resource was not found for the first time, record it in the new map.
(findResouces): Same.
(findResource): Same.
* tests/netx/unit/net/sourceforge/jnlp/runtime/CodeBaseClassLoaderTest.java:
Test case for PR895 from Omair Majid.
2012-03-14 Omair Majid <omajid@redhat.com>
Print exceptions to terminal when running in gui mode too.
* netx/net/sourceforge/jnlp/AbstractLaunchHandler.java: New file.
* netx/net/sourceforge/jnlp/DefaultLaunchHandler.java: Extend
AbstractLaunchHandler.
(DefaultLaunchHandler): New method.
(printMessage): Moved to parent class.
* netx/net/sourceforge/jnlp/GuiLaunchHandler.java: Extend
AbstractLaunchHandler.
(GuiLauchHandler): New method.
(launchError): Print the error too.
(launchWarning,validationError): Call parent's printMessage.
* netx/net/sourceforge/jnlp/LaunchException.java: Use standard java
exception chaining. This removes compatibility with pre-java 1.3 class
libraries.
(LaunchException(JNLPFile,Exception,String,String,String,String)): Pass
cause to parent so exceptions are chanined properly.
(LaunchException(String,Throwable),LaunchException(Throwable)): Call
parent's constructor.
(printStackTrace(PrintStream),printStackTrace(PrintWriter),getCause):
Removed. Use parent's implementation instead.
(getCauses): Removed.
* netx/net/sourceforge/jnlp/LaunchHandler.java
(validationError): Rename argument to clarify meaing.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java
(initialize): Redirect output of all handlers to System.err.
* plugin/icedteanp/java/sun/applet/PluginAppletSecurityContext.java
(PluginAppletSecurityContext): Likewise.
* tests/netx/unit/net/sourceforge/jnlp/DefaultLaunchHandlerTest.java,
* tests/netx/unit/net/sourceforge/jnlp/LaunchExceptionTest.java: New
file. Contains tests.
2012-03-12 Danesh Dadachanji <ddadacha@redhat.com>
Adding test for regression of JNLP API accessibility in constructor
methods of applets.
* Makefile.am: Added classes.jar to classpath when compiling jnlp_tests.
* tests/jnlp_tests/simple/CheckServices/resources/CheckServices.jnlp:
* tests/jnlp_tests/simple/CheckServices/srcs/CheckServices.java:
* tests/jnlp_tests/simple/CheckServices/testcases/CheckServicesTests.java:
New test file added. Tests ServiceManager is setup correctly when called
from applet constructors.
2012-03-12 Danesh Dadachanji <ddadacha@redhat.com>
Update tests that are missing title/vendor tag in their JNLPs.
* tests/jnlp_tests/signed/CacheReproducer/resources/CacheReproducer1.jnlp,
* tests/jnlp_tests/signed/CacheReproducer/resources/CacheReproducer1_1.jnlp,
* tests/jnlp_tests/signed/CacheReproducer/resources/CacheReproducer2.jnlp,
* tests/jnlp_tests/signed/CacheReproducer/resources/CacheReproducer2_1.jnlp,
* tests/jnlp_tests/signed/MissingJar/resources/MissingJar.jnlp,
* tests/jnlp_tests/signed/MissingJar/resources/MissingJar2.jnlp,
* tests/jnlp_tests/signed/MissingJar/resources/MissingJar3.jnlp,
* tests/jnlp_tests/signed/MissingJar/resources/MissingJar4.jnlp,
* tests/jnlp_tests/signed/ReadPropertiesBySignedHack/resources/ReadPropertiesBySignedHack.jnlp,
* tests/jnlp_tests/signed/ReadPropertiesSigned/resources/ReadPropertiesSigned1.jnlp,
* tests/jnlp_tests/signed/ReadPropertiesSigned/resources/ReadPropertiesSigned2.jnlp,
* tests/jnlp_tests/simple/AddShutdownHook/resources/AddShutdownHook.jnlp,
* tests/jnlp_tests/simple/AllStackTraces/resources/AllStackTraces.jnlp
* tests/jnlp_tests/simple/CreateClassLoader/resources/CreateClassLoader.jnlp,
* tests/jnlp_tests/simple/ReadEnvironment/resources/ReadEnvironment.jnlp,
* tests/jnlp_tests/simple/ReadProperties/resources/ReadProperties1.jnlp,
* tests/jnlp_tests/simple/ReadProperties/resources/ReadProperties2.jnlp,
* tests/jnlp_tests/simple/RedirectStreams/resources/RedirectStreams.jnlp,
* tests/jnlp_tests/simple/ReplaceSecurityManager/resources/ReplaceSecurityManager.jnlp,
* tests/jnlp_tests/simple/SetContextClassLoader/resources/SetContextClassLoader.jnlp,
* tests/netx/unit/net/sourceforge/jnlp/templates/template8.jnlp:
Added missing title/vendor tags that make them fail with this changeset.
2012-03-05 Jiri Vanek <jvanek@redhat.com>
Added test for main-class in manifest for jnlp
* Makefile.am: (prepare-reproducers.stamp) fixed manifest handling. Till
now was manifest copied as any other non java file, and so was rewritten
by jar tool
* tests/jnlp_tests/simple/ManifestedJar2/srcs: secondary jar file which
should have manifest and so should help ManifestedJar1 with testing
* tests/jnlp_tests/simple/ManifestedJar2/resources/META-INF/MANIFEST.MF:
manifest for ManifestedJar2.jar
* tests/jnlp_tests/simple/ManifestedJar1/srcs: main testing jar
* tests/jnlp_tests/simple/ManifestedJar2/resources/META-INF/MANIFEST.MF:
manifest for ManifestedJar1.jar
* tests/jnlp_tests/simple/ManifestedJar1/testcases/ManifestedJar1Test.java:
testing class for this reproducers
* tests/jnlp_tests/simple/ManifestedJar1/resources/: nine reproducers jnlps
2012-03-06 Jiri Vanek <jvanek@redhat.com>
Improved reflection test:
* tests/jnlp_tests/simple/AccessClassInPackage/testcases/AccessClassInPackageTest.java:
This testcase was extended for three more unsigned reflection tries and four signed
*tests/jnlp_tests/simple/AccessClassInPackage/srcs/AccessClassInPackage.java:
now accepting class to be findByName as argument. Four new jnlp files in
signed a four in simple are then passing those argument
*tests/jnlp_tests/simple/AccessClassInPackage/resources/AccessClassInPackageSUNSEC.jnlp:
*tests/jnlp_tests/simple/AccessClassInPackage/resources/AccessClassInPackageNETSF.jnlp:
*tests/jnlp_tests/simple/AccessClassInPackage/resources/AccessClassInPackageJAVAXJNLP.jnlp:
*tests/jnlp_tests/simple/AccessClassInPackage/resources/AccessClassInPackageSELF.jnlp:
*tests/jnlp_tests/simple/AccessClassInPackage/resources/AccessClassInPackage.jnlp:
removed
* tests/jnlp_tests/signed/AccessClassInPackageSigned/srcs/AccessClassInPackageSigned.java
signed variation of AccessClassInPackage, tescase is also in AccessClassInPackage
* tests/jnlp_tests/signed/AccessClassInPackageSigned/resources/AccessClassInPackageSignedSELF.jnlp
* tests/jnlp_tests/signed/AccessClassInPackageSigned/resources/AccessClassInPackageSignedNETSF.jnlp
* tests/jnlp_tests/signed/AccessClassInPackageSigned/resources/AccessClassInPackageSignedSUNSEC.jnlp
* tests/jnlp_tests/signed/AccessClassInPackageSigned/resources/AccessClassInPackageSignedJAVAXJNLP.jnlp
2012-02-29 Deepak Bhole <dbhole@redhat.com>
* configure.ac: Bumped version to 1.3pre
2012-02-29 Deepak Bhole <dbhole@redhat.com>
* netx/net/sourceforge/jnlp/security/CertificateUtils.java
(inKeyStores): Only check for certificate equality.
2012-02-28 Deepak Bhole <dbhole@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(checkForMain): Also check manifest file of main jar.
(getMainClassName): New method. Looks in a jar manifest to see if there is
a Main-Class specified.
2012-02-28 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc
(_eval): Return 0 id to Java side if eval fails.
(_call): Return 0 id to Java side if call fails.
2012-02-27 Matthias Klose <doko@ubuntu.com>
* acinclude.m4 (IT_CHECK_PLUGIN_DEPENDENCIES): Use the mozilla-plugin
pkgconfig module if the libxul module is not available.
2012-02-27 Matthias Klose <doko@ubuntu.com>
* acinclude.m4 (IT_FIND_JAVA): Set VERSION_DEFS.
* Makefile.am ($(PLUGIN_DIR)/%.o): Pass $(VERSION_DEFS)
* IcedTeaNPPlugin.cc (PLUGIN_MIME_DESC): Define in terms
of HAVE_JAVA7.
2012-02-27 Thomas Meyer <thomas@m3y3r.de>
Deepak Bhole <dbhole@redhat.com>
PR820: IcedTea-Web 1.1.3 crashing Firefox when loading Citrix XenApp
* plugin/icedteanp/IcedTeaJavaRequestProcessor.cc
(createJavaObjectFromVariant): If variant is a generic object array,
create a JSObject on Java side instead of JSObject array.
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc
(newMessageOnBus): Run finalize on main thread.
(eval): Create Java object in _eval
(call): Create Java object in _call.
(setMember): Create Java object in _setMember.
(sendMember): Create Java object in _getMember.
(sendString): Create Java object in _getString.
(_setMember): Process result and create Java object if needed.
(_getMember): Same.
(_eval): Same.
(_call): Same.
(_getString): Same.
2012-02-22 Danesh Dadachanji <ddadacha@redhat.com>
Add ability to check for jnlp_href use outside of PluginBridge.
* netx/net/sourceforge/jnlp/PluginBridge.java
(PluginBridge): New boolean useJNLPHref is set if jnlp_href is used.
(useJNLPHref): New getter method, returns boolean useJNLPHref.
2012-02-10 Danesh Dadachanji <ddadacha@redhat.com>
Fix path to NEW_LINE_IFS for when one builds outside of src directory.
* Makefile.am: Use top src directory instead of top build directory
for NEW_LINE_IFS
2012-02-06 Danesh Dadachanji <ddadacha@redhat.com>
Fixed regression in running webstart applets from JNLP files.
* netx/net/sourceforge/jnlp/Launcher.java (createApplet): Added call to
set applet variable in the AppletInstance's AppletEnvironment.
* netx/net/sourceforge/jnlp/runtime/AppletEnvironment.java
(setApplet): New method, set AppletEnvironment's applet variable only once.
2012-02-02 Danesh Dadachanji <ddadacha@redhat.com>
* netx/net/sourceforge/jnlp/LaunchException.java: Fix message
to handle null description
2012-02-01 Danesh Dadachanji <ddadacha@redhat.com>
* netx/net/sourceforge/jnlp/LaunchException.java: Add description
parameter to the message the exception stores.
2012-02-01 Jiri Vanek<jvanek@redhat.com>
Fix for PR844
* netx/net/sourceforge/jnlp/cache/CacheLRUWrapper.java: (getLRUSortedEntries)
instead of error throwing own LRU exception. Also catches more then
NumberFormatException
(clearLRUSortedEntries) new method - making soft clearing of cache public
(clearCache) now return true if cache was cleared, false otherwise
(or exception)
* netx/net/sourceforge/jnlp/cache/CacheUtil.java: (getCacheFileIfExist)
does three tires to load cache. If ifrst fails, then recently_used file
is emptied both in memory and on disc. When second attemmpt fails, then
LRU cache is forcibly cleared. if clearing fails, then error is thrown.
If it pass, then one more try to load entries is allowed. When third
attempt fails, then error is thrown.
* /netx/net/sourceforge/jnlp/cache/LruCacheException.java:
new file, for purpose of catching this particular exception
* netx/net/sourceforge/jnlp/util/PropertiesFile.java: (store) tries to
mkdirs to its path. It is better then to fail when no cache directory exists.
* tests/jnlp_tests/signed/CacheReproducer: new reproducr trying severals
way of corupted cache on several types of jnlp files. Is signed because
of reflection used.
* tests/jnlp_tests/signed/SimpletestSigned1: signed hello world to be
used in CacheReproducer tests.
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ServerAccess.java:
timeout for processes doubled, as clear cache methods sometimes took
more then original allowed.
2012-01-27 Deepak Bhole <dbhole@redhat.com>
PR852: Classloader not being flushed after last applet from a site is closed
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java: Added variable
to count usage for a given ClassLoader instance.
(getInstance): Decrement use count for a loader after it is merged with
another. Increment loader use count before returning.
(incrementLoaderUseCount): New method. Increments loader use count.
(decrementLoaderUseCount): New method. Decrements loader use count.
* java/sun/applet/PluginAppletViewer.java (appletClose): Decrement loader
use count when applet is closed.
2012-01-25 Jiri Vanek <jvanek@redhat.com>
Added test for -Xnofork option and for applet launching by jnlp
* tests/jnlp_tests/simple/deadlocktest/resources/deadlocktest_1.jnlp: new file
By specifying new max heap size, should invoke jvm to fork when launched
* tests/jnlp_tests/simple/deadlocktest/srcs/DeadlockTest.java:
improved indentation, added debug output that main method was lunched
* tests/jnlp_tests/simple/deadlocktest/testcases/DeadLockTestTest.java:
small refactoring, add lunching of deadlocktest_1.jnlp with and
without -Xnofork, and counting java instances during runtime
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ServerAccess.java
(ThreadedProcess.run) fixed situation, when process ended, but not all
the output was read by its stdout/stderr readers
(ContentReader.run) enabled exception printing to stderr.
* tests/jnlp_tests/simple/AppletTest/ : test for loading applets by jnlp file
2012-01-06 Danesh Dadachanji <ddadacha@redhat.com>
Use the JNLP file's information section for the Name and
Publisher labels of access dialogs, if available.
* netx/net/sourceforge/jnlp/PluginBridge.java:
(PluginBridge): Assigned info variable to JNLP file's information
section (if one is used), otherwise to a new, empty ArrayList.
(getInformation): Removed method, superclass method
should be used instead.
* netx/net/sourceforge/jnlp/resources/Messages.properties:
Adding SUnverified.
* a/netx/net/sourceforge/jnlp/security/AccessWarningPane.java:
(addComponents): Append unverified note to the publisher label.
2012-01-09 Deepak Bhole <dbhole@redhat.com>
PR838: IcedTea plugin crashes with chrome browser when javascript is executed
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc (eval): Added a check
to ensure that the result pointer is valid before attempting to create an
NPVariant from it.
2012-01-05 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(initializeResources): Only throw exceptions about the main class not
being found when the jnlp file can have a main class.
(addToCodeBaseLoader): Dont try to process null URLs.
2011-12-15 Jiri Vanek <jvanek@redhat.com>
* configure.ac: added search for xsltproc program and setting
WITH_XSLTPROC variable
* Makefile.am: xsltproc result is no longer ignored, command
itself is in conditional block
2011-12-22 Thomas Meyer <thomas@m3y3r.de>
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc(sendMember): Use
correct response parameter when returning array member vs member itself.
2011-12-21 Thomas Meyer <thomas@m3y3r.de>
RH586194: Unable to connect to connect with Juniper VPN client
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc(sendMember): Use
createJavaObjectFromVariant to create the resulting object on Java side,
rather than always creating a JSObject.
2011-12-21 Jiri Vanek <jvanek@redhat.com>
* acinclude.m4: added definition of IT_CHECK_XULRUNNER_API_VERSION,
which tries to compile small program against new xulrunner api
* configure.ac: added call of IT_CHECK_XULRUNNER_API_VERSION
* plugin/icedteanp/IcedTeaNPPlugin.cc: (NP_GetMIMEDescription)
return type set-up by dependency on defined LEGACY_XULRUNNERAPI.
This one is set by IT_CHECK_XULRUNNER_API_VERSION during configure.
if defined, then old char* is used. New const char* is used otherwise.
2011-12-19 Danesh Dadachanji <ddadacha@redhat.com>
Fix for BasicService being used in applet constructors but not
having access to ApplicationInstance variable.
* netx/net/sourceforge/jnlp/Launcher.java:
(createApplet): Moved applet initialization below loader.setApplication,
appletInstance is now initialized with applet param as null.
* netx/net/sourceforge/jnlp/runtime/AppletInstance.java:
(setApplet): New method, allows setting of AppletInstance's applet
only once.
2011-12-16 Deepak Bhole <dbhole@redhat.com>
Patch from Thomas Meyer <thomas@m3y3r.de>
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc: Fixed function name
in comment for sendMember.
2011-12-08 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/Launcher.java
(launchApplication): Print arguments being passed to the application's
main method in debug mode.
2011-12-05 Danesh Dadachanji <ddadacha@redhat.com>
Update UI for AccessWarningPane
* netx/net/sourceforge/jnlp/security/AccessWarningPane.java:
Use question.png instead of warning.png for access dialogs.
2011-11-28 Jiri Vanek <jvanek@redhat.com>
Added code-coverage generation targets
* configure.ac: added search for optional emma.jar
* makefile.am: added UNIT_CLASS_NAMES and REPRODUCERS_CLASS_NAMES variables
to store tests clases for reuse in emmarun. Both also moved to separate target
(run-netx-unit-tests): made dependent on reused stamped version
(run-netx-dist-tests): made dependent on reused stamped version
(stamps/run-netx-dist-tests): stamped rusable version of run-netx-dist-tests
(run-unit-test-code-coverage) targets to generate report from unit-tests.
Result binary and xml file and html report in tests.build/netx/unit
(run-reproducers-test-code-coverage) targets to generate report from
reproducers-test. Result binary file, xml and html report in
tests.build/netx/jnlp_testsengine
(run-test-code-coverage): merges binary results from unit and reproducers
(clean-unit-test-code-coverage) conditionaly removes html,xml report
and es and ec files from tests.build/netx/unit
(clean-reproducers-test-code-coverage) condtionlay removes html and xml
report and es file from tests.build/netx/jnlp_testsengine
(clean-test-code-coverage) conditionlay removes merged html, xml es and em
files from tests.build
(clean-netx-tests) now depends also on clean-test-code-coverage
2011-11-11 Jiri Vanek <jvanek@redhat.com>
Added reproducer for PR804 and PR8011
* tests/jnlp_tests/simple/Spaces can be everywhere/resources/Spaces can be everywhere1.jnlp:
new jnlp file with space in name and with jar in resources which name does not contain
spaces
* tests/jnlp_tests/simple/Spaces can be everywhere/resources/Spaces can be everywhere2.jnlp:
new jnlp file with space in name and with jar in resources which name contains spaces
* tests/jnlp_tests/simple/Spaces can be everywhere/resources/SpacesCanBeEverywhere1.jnlp:
jnlp file without space in name but with jar in resources which name contains spaces
* tests/jnlp_tests/simple/Spaces can be everywhere/srcs/SpacesCanBeEverywhere.java:
new file containig simple main method of "Spaces can be everywhere.jar" jar
* tests/jnlp_tests/simple/Spaces can be everywhere/testcases/SpacesCanBeEverywhereTests.java
testcase for this reproducer. It is lunching each of this jnlp once locally from filesystem and
once remotely from server. Please note that except it's own jar, this reproducer is also
using simpletest1.jar
2011-11-11 Jiri Vanek <jvanek@redhat.com>
Fixed reproducers engine to handle spaces in files and in urls
* Makefile.am: (stamps/netx-dist-tests-prepare-reproducers.stamp)
(stamps/netx-dist-tests-sign-some-reproducers.stamp)
(stamps/netx-dist-tests-compile-testcases.stamp):
added call to NEW_LINE_IFS to use line breake temporarily as parameter
separator while loading files from list and correct quoting
* NEW_LINE_IFS: new file, small separate script used in makefile as inline script
which backup original IFS variable and then set it to pure new line. It is in
separate file because it is reused and I do not know another way how to save a new
line variable in makefile. Restore to original vlaue is handled in Makefile
*tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ResourcesTest.java:
(testResourcesExists) filename is encoded to correct URL before requested from server
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ServerAccess.java:
"-headless" string extracted to variable HEADLES_OPTION
(executeProcess) and (ThreadedProcess) enhanced for variable dir to specify working
directory. Backward compatibility kept
(TinyHttpdImpl) now expects url on requests, so all requests are now decoded by
java.net.URLDecoder
2011-11-10 Jiri Vanek <jvanek at redhat.com>
Added tests which covers corner cases or rhino support function dateRange
Enabled testWeekdayRange test
* tests/netx/pac/pac-funcs-test.js: (testWeekdayRange) - added mising
runTests call
(incDate) (decDate) (monthToStr) moved level up from function scope
to be shareable
(testDateRange2) new method, tests last days of months.
(testDateRange3) new method, tests first days of months
* netx/net/sourceforge/jnlp/runtime/pac-funcs.js:
(dateRange) logic of this method moved to isDateInRange. This one now serve
just as api using current date
(isDateInRange) logic of dateRange, can calculate ranges against any date
2011-10-31 Omair Majid <omajid@redhat.com>
PR808: javaws is unable to start when missing jars are enumerated before
main jar
* NEWS: Update.
* netx/net/sourceforge/jnlp/tools/JarSigner.java (verifyJars): Continue
with other jars if the first jar can't be used.
2011-10-28 Deepak Bhole <dbhole@redhat.com>
RH742515, CVE-2011-3377: IcedTea-Web: second-level domain subdomains and
suffix domain SOP bypass
* NEWS: Updated
* netx/net/sourceforge/jnlp/runtime/JNLPSecurityManager.java
(checkPermission): Remove special case for SocketPermission.
2011-10-27 Deepak Bhole <dbhole@redhat.com>
PR778: Jar download and server certificate verification deadlock
* ChangeLog: Removed extra whitespace from previous entries
* NEWS: Updated
* netx/net/sourceforge/jnlp/GuiLaunchHandler.java (launchInitialized):
Moved as much code as possible out of the invokeLater block.
2011-10-25 Omair Majid <omajid@redhat.com>
PR804: javaws launcher incorrectly handles file names with spaces
* NEWS: Update.
* launcher/javaws.in: Use bash arrays to store arguments to handle
filenames with spaces correctly.
2011-10-24 Jiri Vanek <jvanek@redhat.com>
Added reproducer for - PR788: Elluminate Live! is not working
* tests/jnlp_tests/signed/MissingJar/resources/MissingJar.jnlp
* tests/jnlp_tests/signed/MissingJar/resources/MissingJar2.jnlp
* tests/jnlp_tests/signed/MissingJar/resources/MissingJar3.jnlp
* tests/jnlp_tests/signed/MissingJar/resources/MissingJar4.jnlp
four testcases's jnlp files. Differs by order and by used resoure tags
* tests/jnlp_tests/signed/MissingJar/srcs/MissingJar.java
very simple main jar, just printing message when initialized
* tests/jnlp_tests/signed/MissingJar/testcases/MissingJarTest.java
testing file of reproducer, launchiing above four jnlp files, each in individual test
2011-10-17 Jiri Vanek <jvanek@redhat.com>
PR564: NetX depends on sun.misc.BASE64Encoder
* configure.ac: removed IT564 comment, removed check for sun.misc.BASE64Encoder
* netx/net/sourceforge/jnlp/security/CertificateUtils.java : sun.misc.BASE64Encoder;
replaced (just changed import) by internal implementation from
net.sourceforge.jnlp.util.replacements.BASE64Encoder;
* netx/net/sourceforge/jnlp/util/replacements/BASE64Encoder.java:
* netx/net/sourceforge/jnlp/util/replacements/CharacterEncoder.java:
New files, internal implementation of BASE64Encoder, copied from OpenJDK
* tests/netx/unit/net/sourceforge/jnlp/util/replacements/BASE64EncoderTest.java
New file, to test internal base64encoder implementation
2011-10-03 Jiri Vanek <jvanek@redhat.com>
* tests/jnlp_tests/signed/ReadPropertiesBySignedHack/resources/ReadPropertiesBySignedHack.jnlp
* tests/jnlp_tests/signed/ReadPropertiesBySignedHack/srcs/ReadPropertiesBySignedHack.java
* tests/jnlp_tests/signed/ReadPropertiesBySignedHack/testcases/ReadPropertiesBySignedHackTest.java
* tests/jnlp_tests/signed/ReadPropertiesSigned/resources/ReadPropertiesSigned1.jnlp
* tests/jnlp_tests/signed/ReadPropertiesSigned/resources/ReadPropertiesSigned2.jnlp
* tests/jnlp_tests/signed/ReadPropertiesSigned/srcs/ReadPropertiesSigned.java
* tests/jnlp_tests/signed/ReadPropertiesSigned/testcases/ReadPropertiesSignedTest.java
Direcory signed was somehow missing from my commit from 2011-09-22.
Now it have been added with all its original files
2011-09-29 Omair Majid <omajid@redhat.com>
PR618: Can't install OpenDJ, JavaWebStart fails with Input stream is null
error.
* NEWS: Update.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(getResource): Rename to ...
(findResource): New method.
(findResources): If resource can not be found, search in lazy resources.
(findResourcesBySearching): New method.
2011-09-28 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/AppletDesc.java (getMainClass): Clarify the
return value in javadoc.
* netx/net/sourceforge/jnlp/Launcher.java
(createApplet, createAppletObject): Do not replace '/' with '.'.
* netx/net/sourceforge/jnlp/PluginBridge.java (PluginBridge): Ensure that
the class name is in the dot-separated from.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(checkForMain): Ensure that the name is an exact match.
2011-09-28 Deepak Bhole <dbhole@redhat.com>
PR794: IcedTea-Web does not work if a Web Start app jar has a Class-Path
element in the manifest.
* netx/net/sourceforge/jnlp/runtime/CachedJarFileCallback.java
(retrieve): Blank out the Class-Path elements in manifest.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(activateJars): Only load Class-Path elements if this is an applet.
(addNewJar): Add the right permissions for the cached jar file and verify
signatures.
2011-09-26 Lars Herschke <lhersch@dssgmbh.de>
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add
CVExportPasswordMessage, CVImportPasswordMessage and
CVPasswordTitle.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java (initialize):
Initialize SSLContext with the user's client certificates.
* netx/net/sourceforge/jnlp/security/CertificateUtils.java
(addPKCS12ToKeyStore, addPKCS12ToKeyStore, dumpPKCS12): New methods.
* netx/net/sourceforge/jnlp/security/viewer/CertificatePane.java
(getPasswords): New method.
(ImportButtonListener.actionPerformed): Import client certificates
in PKCS12 format.
(ExportButtonListener.actionPerformed): Export client certificates
in PKCS12 format.
2011-09-23 Omair Majid <omajid@redhat.com>
RH738814: Access denied at ssl handshake
* netx/net/sourceforge/jnlp/security/SecurityDialogs.java
(showCertWarningDialog): Add a javadoc comment.
* netx/net/sourceforge/jnlp/security/VariableX509TrustManager.java
(askUser): Wrap the call to showCertWarningDialog in a doPrivileged
block.
2011-09-22 Omair Majid <omajid@redhat.com>
PR788: Elluminate Live! is not working
* NEWS: Update.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(checkForMain): If localFile is null (JAR couldn't be downloaded), try to
continue, rather than allowing the exception to cause an abort.
2011-09-21 Omair Majid <omajid@redhat.com>
PR766: javaws fails to parse an <argument> node that contains CDATA
* netx/net/sourceforge/nanoxml/XMLElement.java
(sanitizeInput): Do not remove CDATA sections along with comments.
2011-09-20 Omair Majid <omajid@redhat.com>
* tests/netx/unit/net/sourceforge/jnlp/ParserCornerCases.java
(testCdata, testCdataNested, testCDataFirstChild, testCDataSecondChild)
(testCommentInElements2, testDoubleDashesInComments): New methods
* tests/netx/unit/net/sourceforge/jnlp/application/application0.jnlp,
* tests/netx/unit/net/sourceforge/jnlp/templates/template0.jnlp:
Change <!CDATA[ to <![CDATA[.
2011-09-22 Lars Herschke <lhersch@dssgmbh.de>
PR789: typo in jrunscript.sh
* jrunscript.in: Use = instead of ==.
2011-09-22 Jiri Vanek <jvanek@redhat.com>
* tests/jnlp_tests/signed/ReadPropertiesBySignedHack/resources/ReadPropertiesBySignedHack.jnlp:
jnlp file to lunch ReadPropertiesBySignedHack, notice please dependenci
on ReadProperties.jar from simple reproducers
* tests/jnlp_tests/signed/ReadPropertiesBySignedHack/srcs/ReadPropertiesBySignedHack.java:
this reproducers verify, that even reflection-by enabled
XtrustAll will not allow to lunch unsigned code
* tests/jnlp_tests/signed/ReadPropertiesBySignedHack/testcases/ReadPropertiesBySignedHackTest.java:
testcase for this reproducer
2011-09-22 Jiri Vanek <jvanek@redhat.com>
* tests/jnlp_tests/signed/ReadPropertiesSigned/resources/ReadPropertiesSigned1.jnlp:
* tests/jnlp_tests/signed/ReadPropertiesSigned/resources/ReadPropertiesSigned2.jnlp:
* tests/jnlp_tests/signed/ReadPropertiesSigned/testcases/ReadPropertiesSignedTest.java:
* tests/jnlp_tests/signed/ReadPropertiesSigned/srcs/ReadPropertiesSigned.java:
those four files are example of signed reproducer
* tests/jnlp_tests/simple/ReadProperties/srcs/ReadProperties.java: now prints out got
variable for comparsion with above created signed example
2011-09-22 Jiri Vanek <jvanek@redhat.com>
Added signed reproducers engine
* Makefile.am: added variable KEYSTORE_NAME
(stamps/junit-jnlp-dist-dirs): creates stamp and depend on next two targets
(junit-jnlp-dist-simple.txt): creates list of simple reproducers, extracted
from stamps/junit-jnlp-dist-dirs
(junit-jnlp-dist-signed.txt): creates list of signed reproducers
(stamps/netx-dist-tests-prepare-reproducers.stamp): now traverse over
signed and simple
(stamps/netx-dist-tests-sign-some-reproducers.stamp): depends
on netx-dist-tests-prepare-reproducers, traverse through signed
reproducers and sign them
(stamps/netx-dist-tests-compile-testcases.stamp): now traverse over
signed and simple
(stamps/bootstrap-directory.stamp): creates symlinks/stubs to
jarsigner and keytool
(clean-netx-dist-tests):remove new stamps, signed and simple list and keysstore
* acinclude.m4: declared to proceed IT_FIND_KEYTOOL and IT_FIND_JARSIGNER macro
* configure.ac: declared macros to check for keytool and jarsigner
* tests/jnlp_tests/README: mentioned signed directory
2011-09-22 Jiri Vanek <jvanek@redhat.com>
* netx/net/sourceforge/jnlp/runtime/Boot.java: (main): added logic to
handle -Xtrustall option
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java: declared private static boolean
trustAll=false; with public getter and pkg.private setter
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java: (checkTrustWithUser): modified,
when XtrustAll declared, then user is not asked and certificate is trusted
* netx/net/sourceforge/jnlp/security/VariableX509TrustManager.java: (askUser): modified,
when XtrustAll declared, then user is not asked and certificate is trusted
2011-09-15 Jiri Vanek <jvanek@redhat.com>
* tests/jnlp_tests/: all current reproducers (AccessClassInPackage
AddShutdownHook AllStackTraces CreateClassLoader deadlocktest
ReadEnvironment ReadProperties RedirectStreams ReplaceSecurityManager
SetContextClassLoader simpletest1 simpletest2) junit's asserts are enchanted
for reason, so junit assertion exception message is much clearer.
2011-09-13 Deepak Bhole <dbhole@redhat.com>
PR782: Support building against npapi-sdk as well
Patch from Michał Górny < mgorny at gentoo dot org >
* acinclude.m4: Build against npapi-sdk.
2011-09-13 Deepak Bhole <dbhole@redhat.com>
* ChangeLog: Fixed formatting issues in previous entry.
2011-09-01 Jiri Vanek<jvanek@redhat.com>
Added functionality to allow icedtea web to be buildable with
rhel5 libraries.
* configure.ac: added IT_CHECK_GLIB_VERSION check.
* acinclude.m4: added IT_CHECK_GLIB_VERSION definition block to test.
version of glib installed and add LEGACY_GLIB define macro into
variable DEFS if version is <2.16.
* plugin/icedteanp/IcedTeaNPPlugin.cc: added replacements for incompatible
functions (g_strcmp0 and find_first_item_in_hash_table)if LEGACY_GLIB
is defined. Added define sections for use this function instead of glib ones.
Duplicated code moved into function getFirstInTableInstance(GHashTble* table).
* Makefile.am: ($(PLUGIN_DIR)/%.o): using DEFS setted by configure for compilation
2011-08-29 Deepak Bhole <dbhole@redhat.com>
RH734081: Javaws cannot use proxy settings from Firefox
Based on patch from Lukas Zachar <lzachar at redhat dot com>
* netx/net/sourceforge/jnlp/browser/FirefoxPreferencesFinder.java
(find): Only process Profile sections. Do not throw an exception if a
Default= line is not found since it is not guaranteed to exist.
2011-08-24 Deepak Bhole <dbhole@redhat.com>
RH718693: MindTerm SSH Applet doesn't work
* plugin/icedteanp/java/netscape/security/PrivilegeManager.java: New
file. Stub class, not needed with IcedTea-Web.
2011-08-23 Deepak Bhole <dbhole@redhat.com>
PR769: IcedTea-Web plugin does not work with some ssl sites with OpenJDK7
* netx/net/sourceforge/jnlp/security/VariableX509TrustManager.java
(checkServerTrusted): Account for a null hostname that the
overloaded implementation may pass.
2011-08-23 Omair Majid <omajid@redhat.com>
* configure.ac: Add check for new non-standard classes
sun.net.www.protocol.jar.URLJarFile and
sun.net.www.protocol.jar.URLJarFileCallBack.
2011-08-23 Omair Majid <omajid@redhat.com>
* Makefile.am: Remove JRE. Replace uses with SYSTEM_JRE_DIR instead. Also
replace uses of SYSTEM_JDK_DIR/jre with SYSTEM_JRE_DIR.
* acinclude.m4
(IT_CHECK_FOR_JRE): New macro.
(IT_FIND_JAVA): Require IT_CHECK_FOR_JRE. Use java binary from within the
JRE.
2011-08-22 Saad Mohammad <smohammad@redhat.com>
* netx/net/sourceforge/jnlp/JNLPFile.java:
(parse): After the file has been parsed, it calls
checkForSpecialProperties() to check if the resources contain any special
properties.
(checkForSpecialProperties): Scans through resources and checks if it
contains any special properties.
(requiresSignedJNLPWarning): Returns a boolean after determining if a signed
JNLP warning should be displayed.
(setSignedJNLPAsMissing): Informs JNLPFile that a signed JNLP file is
missing in the main jar.
* netx/net/sourceforge/jnlp/SecurityDesc.java:
(getJnlpRIAPermissions): Returns all the names of the basic JNLP system
properties accessible by RIAs.
* netx/net/sourceforge/jnlp/resources/Messages.properties:
Added LSignedJNLPFileDidNotMatch and SJNLPFileIsNotSigned.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
(initializeResources): Locates the jar file that contains the main class
and verifies if a signed JNLP file is also located in that jar. This also
checks 'lazy' jars if the the main class was not found in 'eager' jars.
If the main jar was not found, a LaunchException is thrown which terminates
the launch of the application.
(checkForMain): A method that goes through each jar and checks to see
if it has the main class. If the main class is found, it calls
verifySignedJNLP() to verify if a valid signed JNLP file is also found in
the jar.
(verifySignedJNLP): A method that checks if the jar file contains a valid
signed JNLP file.
(closeStream): Closes a stream.
(loadClassExt): Added a try/catch block when addNextResource() is called.
(addNextResource): If the main jar has not been found, checkForMain() is
called to check if the jar contains the main class, and verifies if a signed
JNLP file is also located.
* netx/net/sourceforge/jnlp/security/MoreInfoPane.java:
(addComponents): Displays the signed JNLP warning message if necessary.
* netx/net/sourceforge/jnlp/security/SecurityDialog.java:
(SecurityDialog): Stores the value of whether a signed JNLP warning should
be displayed.
(showMoreInfoDialog): Passes in the associated JNLP file when creating a
SecurityDialog object.
(requiresSignedJNLPWarning): Returns a boolean after determining if a signed
JNLP warning should be displayed.
2011-08-17 Danesh Dadachanji <ddadacha@redhat.com>
Update UI for SecurityDialog
* netx/net/sourceforge/jnlp/resources/question.png: New icon added.
* netx/net/sourceforge/jnlp/security/CertWarningPane.java:
(addComponents): When certs are verified, question.png is used as the icon
and SAlwaysTrustPublisher is automatically selected.
* netx/net/sourceforge/jnlp/security/SecurityDialog.java:
(initDialog): Changed the title of a CERT_WARNING dialog.
2011-08-17 Danesh Dadachanji <ddadacha@redhat.com>
AUTHORS: Adding myself and Denis Lila. Removing the extra email from
Andrew Hughes.
2011-08-11 Danesh Dadachanji <ddadacha@redhat.com>
PR742: IcedTea-Web checks certs only upto 1 level deep before declaring
them untrusted.
* NEWS: Updated.
* netx/net/sourceforge/jnlp/tools/JarSigner.java:
(checkTrustedCerts): All certs along certPath are now checked for trust.
2011-08-09 Deepak Bhole <dbhole@redhat.com>
PR771: IcedTea-Web certificate verification code does not use the right
API
* netx/net/sourceforge/jnlp/security/CertificateUtils.java
(inKeyStores): Use Certificate.verify to correctly verify a certificate
against a public key in the store.
2011-08-09 Saad Mohammad <smohammad@redhat.com>
PR765: JNLP file with all resource jars marked as 'lazy' fails to validate
signature and stops the launch of application
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
(initializeResources): Initializes the first jar file if all resources
are marked as lazy jars
2011-08-03 Saad Mohammad <smohammad@redhat.com>
* netx/net/sourceforge/jnlp/JNLPMatcher.java:
(JNLPMatcher): Removed NullPointerException from being thrown, caught and
then thrown again via JNLPMatcherException. This was replaced by throwing
a checked exception [JNLPMatcherException] directly.
(JNLPMatcher): Removed unused code [getters]
(JNLPMatcher): Closed Input/Output streams that were opened.
(isMatch): Removed caching of return value
(closeInputStream): Added this method to close input streams
(closeOutputStream): Added this method to close output streams
* netx/net/sourceforge/jnlp/Node.java:
Removed getAttributeNames() method from the commented section
2011-08-03 Deepak Bhole <dbhole@redhat.com>
PR768: Signed applets/Web Start apps don't work with OpenJDK7 and up
* netx/net/sourceforge/jnlp/tools/JarSigner.java (verifyJar): Put entry in
cert hashtable only if the entry is expected to be signed.
2011-08-02 Jiri Vanek <jvanek@redhat.com>
*Makefile.am: (stamps/netx-dist-tests-prepare-reproducers.stamp):
now are compiled files correctly compiled from directory structure.
Also not java files are copied with expected directory structure and
jarred together with classes.
2011-07-26 Jiri Vanek <jvanek@redhat.com>
*tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ServerAccess.java: String
containing "localhost" have been declared as final constant.
(SERVER_NAME) have been moved instant Server instance so each server can
have it name without affecting others
(getUrl()) added - can return URL of server singleton. Implementation of
this method is inside server, so each server can return its own useful URL.
(saveFile()) is now public.
Added identification for ThreadedProcess based on commandlineArgs and its
run is now slowed by Thread.sleep
(ServerLuncher) inner class is now public (it was bug to not be as we have
getIndependentInstance of it method ) and renamed to ServerLauncher
Enchanted wrapping of executeProcess
2011-07-21 Deepak Bhole <dbhole@redhat.com>
PR749: sun.applet.PluginStreamHandler#handleMessage(String) really slow
Original patch from: Ricardo Martín Camarero <rickyepoderi at yahoo dot es>
* plugin/icedteanp/java/sun/applet/PluginStreamHandler.java
(readPair): New function.
(handleMessage): Use readPair to incrementally tokenize message, rather
than using String.split().
2011-07-19 Saad Mohammad <smohammad@redhat.com>
* netx/net/sourceforge/jnlp/JNLPMatcher.java:
Created this class to compare signed JNLP file with the launching
JNLP file. When comparing, it has support for both method of signing
of a JNLP file: APPLICATION_TEMPLATE.JNLP and APPLICATION.JNLP.
* netx/net/sourceforge/jnlp/JNLPMatcherException.java:
Added a custom exception: JNLPMatcherException. Thrown if verifying
signed JNLP files fails.
* netx/net/sourceforge/jnlp/Node.java:
Created a method that retrieves the attribute names of the Node and
stores it in private string [] member. The method returns the
attribute names.
* tests/netx/unit/net/sourceforge/jnlp/JNLPMatcherTest.java:
This is a test case that tests the functionality of JNLPMatcher.
It tests the algorithm with a variety of template and application
JNLP files.
* tests/netx/unit/net/sourceforge/jnlp/launchApp.jnlp:
Launching JNLP file: This is the launching JNLP file used to compare
with templates and application JNLP files in JNLPMatcherTest.java
* tests/netx/unit/net/sourceforge/jnlp/templates/template0.jnlp:
Test Template JNLP file: Contains CDATA.
* tests/netx/unit/net/sourceforge/jnlp/templates/template1.jnlp:
Test Template JNLP file: An exact duplicate of the launching
JNLP file.
* tests/netx/unit/net/sourceforge/jnlp/templates/template2.jnlp:
Test Template JNLP file: Contains wildchars as attribute/element
values.
* tests/netx/unit/net/sourceforge/jnlp/templates/template3.jnlp:
Test Template JNLP file: Different order of elements/attributes
(same value)
* tests/netx/unit/net/sourceforge/jnlp/templates/template4.jnlp:
Test Template JNLP file: Contains wildchars as values of ALL elements
and attribute.
* tests/netx/unit/net/sourceforge/jnlp/templates/template5.jnlp:
Test Template JNLP file: Contains comments.
* tests/netx/unit/net/sourceforge/jnlp/templates/template6.jnlp:
Test Template JNLP file: Contains different attribute and element
values.
* tests/netx/unit/net/sourceforge/jnlp/templates/template7.jnlp:
Test Template JNLP file: Contains additional children in element.
* tests/netx/unit/net/sourceforge/jnlp/templates/template8.jnlp:
Test Template JNLP file: Contains fewer children in element.
* tests/netx/unit/net/sourceforge/jnlp/templates/template9.jnlp:
Test Template JNLP file: All values are different from the launching
JNLP file.
* tests/netx/unit/net/sourceforge/jnlp/application/application0.jnlp:
Test Application JNLP file: Contains CDATA.
* tests/netx/unit/net/sourceforge/jnlp/application/application1.jnlp:
Test Application JNLP file: An exact duplicate of the launching
JNLP file.
* tests/netx/unit/net/sourceforge/jnlp/application/application2.jnlp:
Test Application JNLP file: Different order of element/attributes
(same value).
* tests/netx/unit/net/sourceforge/jnlp/application/application3.jnlp:
Test Application JNLP file: Contains comments.
* tests/netx/unit/net/sourceforge/jnlp/application/application4.jnlp:
Test Application JNLP file: Contains wildchars as attribute/element
values.
* tests/netx/unit/net/sourceforge/jnlp/application/application5.jnlp:
Test Application JNLP file: Contains a different attribute (codebase)
value.
* tests/netx/unit/net/sourceforge/jnlp/application/application6.jnlp:
Test Application JNLP file: Contains additional children in element.
* tests/netx/unit/net/sourceforge/jnlp/application/application7.jnlp:
Test Application JNLP file: Contains fewer children in element.
* tests/netx/unit/net/sourceforge/jnlp/application/application8.jnlp:
Test Application JNLP file: All values are different from the
launching JNLP file.
* Makefile.am:
(run-netx-unit-tests): Copies resources(non java files) to test.build
before running the unit tests.
2011-06-22 Jiri Vanek <jvanek@redhat.com>
* tests/report-styles/jreport.xsl: part with classes statistics is now collapsable
2011-06-21 Jiri Vanek <jvanek@redhat.com>
*tests/jnlp_tests/simple: AccessClassInPackage, ReplaceSecurityManager,
AddShutdownHook, ReadEnvironment, SetContextClassLoader,
AllStackTraces, ReadProperties, CreateClassLoader, RedirectStreams tests
2011-06-21 Jiri Vanek <jvanek@redhat.com>
*Makefile.am: (run-netx-dist-tests): no depends on copying of styles
(clean-netx-dist-tests): depends also on removing of styles
2011-06-17 Jiri Vanek <jvanek@redhat.com>
* tests/jnlp_tests: directory for reproducers
* tests/jnlp_tests/advanced: reproducers which must care about
deploying and compiling thmselves
* tests/jnlp_tests/simple: reproducers compiled, jared and deployed
automatically
* tests/jnlp_tests/simple/name/srcs|testcases|resources/: sourcefiles,
resources and testaces for simple reproducers
* tests/jnlp_tests/simple/deadlocktest: test for tracing not-killable
javaws
* tests/jnlp_tests/simple/simpletest1: tutorial test
* tests/jnlp_tests/simple/simpletest2: tutorial test with exception
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ResourcesTest.java:
tests for server basic functionality
* tests/netx/jnlp_testsengine/net/sourceforge/jnlp/ServerAccess.java:
implementation of server to produce jnlps and resources. Implementation
of helpers to run javaws process.
*Makefile.am: new variables pointing to structure above;
(junit-jnlp-dist-dirs.txt): prepare destination directory structure
(stamps/netx-dist-tests-prepare-reproducers.stamp):compile tescascases of simple reproducers
(netx-dist-tests-source-files.txt): lookup for server and helping classes
(stamps/netx-dist-tests-compile.stamp): compile server and helping classes
(stamps/netx-dist-tests-compile-testcases.stamp): compile, jar and deploy all simple testcases and their resources
(run-netx-dist-tests): after make install run junit testsuite upon reproducers on virtual server
(clean-netx-tests): added dependence on clean-netx-dist-tests
(clean-netx-dist-tests): deleting of reproducers
2011-06-16 Jiri Vanek <jvanek@redhat.com>
* tests/report-styles/index.js: fast navigation functions
* tests/report-styles/report.css: styles for transformed result
* tests/report-styles/jreport.xsl: template for human-readable
xml->html transformation.
* Makefile.am: New variable for report-styles directory;
($(TESTS_DIR)/$(REPORT_STYLES_DIRNAME)): goal for copying styles and
javascripts; (run-netx-unit-tests): added nonfaling xsltproc
transformation of sheet and unit-tests' xml report to index_unit.html;
(clean-netx-unit-tests): now depends also on clean_tests_reports;
(clean_tests_reports): new goal to remove report styles directory and
indexs html files.
2011-07-14 Omair Majid <omajid@redhat.com>
RH718170, CVE-2011-2514: Java Web Start security warning dialog
manipulation
* netx/net/sourceforge/jnlp/services/XExtendedService.java
(openFile): Create XContents based on a copy of the File object to prevent
overloaded File classes from mangling the name.
(XFileContents): Create a separate copy of File object for local use.
2011-07-14 Omair Majid <omajid@redhat.com>
RH718164, CVE-2011-2513: Home directory path disclosure to untrusted
applications
* netx/net/sourceforge/jnlp/runtime/CachedJarFileCallback.java: New file.
* netx/net/sourceforge/jnlp/util/UrlUtils.java: New file.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
jarLocationSecurityMap now contains originating urls, not cache urls.
(initializeResources): Add remote url to map instead of local url.
(activateJars): Add remote url to the classloader's urls. Add mapping for
remote to local url. Put remote url in jarLocationSecurityMap.
(loadClass): Add remote url to the classloader's urls. Add mapping for
remote to local url.
(getCodeSourceSecurity): Update javadoc to note that the url must be
remote.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java
(initialize): Set the callback for URLJarFile.
2011-06-14 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/ControlPanel.java:
(ControlPanel): Removed line that prevents resizing.
(createMainSettingsPanel): Detect the minimum size of panels instead
of fixed size.
* netx/net/sourceforge/jnlp/controlpanel/NetworkSettingsPanel.java:
(addComponents): Changed to update size when tool is being resized.
* netx/net/sourceforge/jnlp/security/viewer/CertificatePane.java
addComponents): Changed to a layout that will resize itself.
2011-06-10 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/GuiLaunchHandler.java:
(mutex): New mutex for synchronizing splashScreen.
(closeSplashScreen): New method to hide and dispose
splashScreen.
(launchStarting): Call closeSplashScreen instead of doing it
inline.
(launchInitialized): Sync splashScreen creation.
(validationError, launchError): Call closeSplashScreen.
2011-06-10 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/cache/DefaultDownloadIndicator.java:
(frameMutex): New mutex to synchronize accesses to "frame".
(getListener): Make almost all of it synchronized on frameMutex.
(disposeListener): Sync hider's body around frameMutex and call
dispose on the frame so that the awt threads die when they should.
(addProgressPanel): Sync "frame" usage.
2011-06-08 Saad Mohammad <smohammad@redhat.com>
* AUTHORS: Updated
* netx/net/sourceforge/jnlp/services/ServiceUtil.java
(checkAccess): Moved the process of checking if the application is a trusted
application to a new method called isSigned().
* netx/net/sourceforge/jnlp/services/XPersistenceService.java
(checkLocation): Allows trusted application to have access to
PersistenceService data from different hosts. It uses ServiceUtil.isSigned()
to determine if the current application is a trusted application.
2011-06-08 Andrew Su <asu@redhat.com>
* NEWS: Updated.
* netx/net/sourceforge/jnlp/JNLPFile.java:
(JNLPFile): Calls new constructor.
(JNLPFile): New constructor to take an option for forcing a codebase.
(JNLPFile): Call parse with extra parameter.
(parse): Use the given codebase passed in if we did not find one.
* netx/net/sourceforge/jnlp/Parser.java:
(Parser): Calls new constructor.
(Parser): New constructor which takes in a codebase as a last option.
* netx/net/sourceforge/jnlp/PluginBridge.java:
(PluginBridge): Calls new JNLPFile's constructor with current codebase
2011-06-08 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/PluginBridge.java:
(jars): Changed to use HashSet instead of String[].
(PluginBridge): Updated to work with HashSet instead of String[]
(getResources): Likewise.
2011-06-08 Deepak Bhole <dbhole@redhat.com>
PR721: IcedTeaPlugin.so cannot run g_main_context_iteration on a different
thread unless a different GMainContext *context is used
* plugin/icedteanp/IcedTeaJavaRequestProcessor.cc
(postAndWaitForResponse): Added logic for tracking when the processor is
running from a plugin main thread, and logic to process main thread
specific messages queued thereafter until function exit.
* plugin/icedteanp/IcedTeaNPPlugin.cc:
(itnp_plugin_thread_id): New variable. Tracks plugin main thread ID.
(pluginAsyncCallMutex): New variable. Mutex to lock async call queue.
(NP_Initialize): Initialize the itnp_plugin_thread_id variable and make
ithe make pluginAsyncCallMutex recursive.
(NP_Shutdown): Destroy pluginAsyncCallMutex.
* plugin/icedteanp/IcedTeaNPPlugin.h:
(CHROMIUM_WORKAROUND): Remove macro.
(itnp_plugin_thread_id): New variable. Tracks plugin main thread ID.
(pluginAsyncCallMutex): New variable. Mutex to lock async call queue.
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc
(eval): Remove chromium workaround.
(call): Same.
(sendString): Same.
(setMember): Same.
(sendMember): Same.
(loadURL): Same.
* plugin/icedteanp/IcedTeaPluginRequestProcessor.h: Moved
async_call_thread_data to IcedTeaPluginUtils.h.
* plugin/icedteanp/IcedTeaPluginUtils.cc
(pendingPluginThreadRequests): New variable. Queue to track events waiting
for async execution on plug-in thread.
(callAndWaitForResult): New function. Calls a method on plug-in thread and
waits for the execution to complete.
(postPluginThreadAsyncCall): New function. Posts a method call to the
async execution queue and calls NPN_PluginThreadAsynCall.
(processAsyncCallQueue): New function. Called from the plug-in thread,
this function empties the event queue of functions waiting for plug-in
thread execution.
* plugin/icedteanp/IcedTeaPluginUtils.h
(plugin_thread_call): New struct to hold async call data.
(async_call_thread_data): Struct moved from IcedTeaPluginRequestProcessor.
(processAsyncCallQueue): New function.
(postPluginThreadAsyncCall): Same.
(callAndWaitForResult): Same.
* plugin/icedteanp/IcedTeaScriptablePluginObject.cc
(get_scriptable_java_object): Use
IcedTeaPluginUtilities::callAndWaitForResult to post async callback for
_createAndRetainJavaObject.
2011-05-31 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/JNLPSplashScreen.java: Subclass JDialog, not
JFrame.
2011-05-30 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/TemporaryInternetFilesPanel.java:
(addComponent): Add check to see if specified cache directory is
writable.
2011-05-30 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java:
(downloadResource): Check whether file to be downloaded is current.
2011-05-30 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/DebuggingPanel.java:
(properties): Removed property.
(addComponents): Removed checkbox.
* netx/net/sourceforge/jnlp/resources/Messages.properties:
Removed translation string for DPLifeCycleExceptions.
2011-05-27 Deepak Bhole <dbhole@redhat.com>
PR723: AccessControlException while downloading resource
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java
(Downloader): Make class private.
(Downloader::run): Call processResource via doPrivileged since
resources may get added at run time from application code via
JNLPClassLoader::addNewJar().
2011-05-27 Deepak Bhole <dbhole@redhat.com>
PR735: Firefox 4 sometimes freezes if the applet calls showDocument()
* plugin/icedteanp/IcedTeaNPPlugin.cc (consume_message): Defer handling to
url load request to the queue processor.
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc
(PluginRequestProcessor::newMessageOnBus): Handle new LoadURL command.
(PluginRequestProcessor::loadURL): New method. Loads the specified url in
the given target.
(queue_processor): Process the LoadURL command.
(_loadURL): New async callback function to handle LoadURL commands.
* plugin/icedteanp/IcedTeaPluginRequestProcessor.h: Add _loadURL and
loadURL method declerations.
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java (showDocument):
Send the url load command in the standard "instance X reference Y
<command> <args>" format.
2011-05-27 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java
(appletClose): Call dispose from the swing thread. Also, don't try to stop
the threadgroup.
2011-05-27 Deepak Bhole <dbhole@redhat.com>
* Backed out 0256de6a4bf6
2011-05-27 Omair Majid <omajid@redhat.com>
* NEWS: Update.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(getClassPathsFromManifest): Check for possible nulls and empty strings.
2011-05-26 Andrew Su <asu@redhat.com>
* NEWS: Update.
* netx/net/sourceforge/jnlp/cache/CacheUtil.java:
(cleanCache): Split conditional for delete.
2011-05-20 Andrew Su <asu@redhat.com>
* NEWS: Update.
2011-05-20 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/cache/CacheLRUWrapper.java:
(CacheLRUWrapper): New constructor to create file.
(lock): Removed creation of file here.
2011-05-17 Jiri Vanek <jvanek@redhat.com>
* tests/junit-runner/JunitLikeXmlOutputListener: This listener exports
results of junit in xml which "follows junit-output schema". Extended
for date, duration and some statististics for future purpose
* Makefile.am (run-netx-unit-tests): backuping stdout/stderr of tests
* tests/junit-runner/CommandLine.java: registered
JunitLikeXmlOutputListener
2011-05-10 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/CachePane.java:
(addComponents):Created a new comparator for sorting by file size and
date.
2011-05-09 Jiri Vanek <jvanek@redhat.com>
* tests/junit-runner/CommandLine.java:r added skipping of inner
classes and one jnlp file from sources package.
2011-05-03 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/NetxPanel.java:
Add imports.
(uKeyToTG): Change to HashMap.
(TGMapMutex): New mutex to synchronize uKeyToTG.
(getThreadGroup): Synchronize on TGMapMutex.
(NetxPanel): Only create a new thread group if one doesn't already
exist for the computed uKey.
2011-05-02 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java
(appletClose): Do not try to stop threads, now that the loader is shared
and the thread group for applets on a page is identical. Call dispose from
invokeAndWait.
(appletSystemExit): Exit the VM when called.
2011-04-28 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/NetxPanel.java:
Remove unused import; add imports.
(uKey, uKeyToTG, appContextCreated): New members.
(getThreadGroup, createNewAppContext): New methods.
(runLoader): Pass uKey to PluginBridge's constructor.
(run): Remove. No longer needed.
(NetxPanel): Initialize uKey. If it is a new key, make a new thread
group for it and save it in the hash map.
(createAppletThread): Use getFutureTG instead of creating a thread
group on the spot.
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java:
(createPanel): Initialize and frame the panel in a separate thread.
* netx/net/sourceforge/jnlp/Launcher.java:
Remove unused import.
(createApplet, createApplication, createThreadGroup): Replace
AppThreadGroup with ThreadGroup. Remove all calls to setApplication.
* netx/net/sourceforge/jnlp/PluginBridge.java:
(PluginBridge): Remove the uniqueKey initialization logic. Set
uniqueKey to the uKey parameter.
* netx/net/sourceforge/jnlp/runtime/AppThreadGroup.java:
Remove file.
2011-04-28 Omair Majid <omajid@redhat.com>
* Makefile.am (javaws, itweb_settings): New variables.
(edit_launcher_script, all-local, install-exe-local)
(uninstall-local, clean-launchers, javaws.desktop)
(itweb-settings.desktop): Replace all uses of javaws and
itweb-settings with the new variables.
(launcher.build/javaws): Replace with ...
(launcher.build/$(javaws)): New target.
(launcher.build/itweb-settings): Replace with...
(launcher.build/$(itweb-settings)): New target.
2011-04-21 Deepak Bhole <dbhole@redhat.com>
* configure.ac: Bumped version to 1.2pre
2011-04-21 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/IcedTeaNPPlugin.cc (consume_message): Use
NPN_GetURLNotify (non-blocking) instead of NPN_GetURL (blocking) so that
the plugin is free to process additional requests.
* ChangeLog: Fixed spacing issues in previous entry.
2011-04-20 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/CachePane.java:
(createButtonPanel): Changed to update the recently_used file to
reflect the deletion. Added method updateRecentlyUsed to anonymous
ActionListener class which will do the actual updating.
2011-04-20 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java: Add new private
variable classpathsInManifest.
(activateJars): When adding jar index, also add Class-Path entries from the
Manifest file in the jar.
(loadClass): Search for jars specified in classpaths before looking for
entries in jar index.
(addNewJar): New method refactored from loadClass.
2011-04-20 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPSecurityManager.java
(getApplication(Class[],int)): Renamed to ...
(getApplication(Thread,Class[],int)): New method. Check the thread's
context ClassLoader as well as parents of the classloader.
(getJnlpClassLoader): New method.
(getApplication, checkExit): Update to work with new method signatures.
2011-04-20 Omair Majid <omajid@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletSecurityContext.java
(PluginAppletSecurityContext): Set the launch handler to the stdout/stderr
based one.
2011-04-20 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/CachePane.java:
(generateData): Skip through the identifier for cached item.
2011-04-20 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/CachePane.java:
(createButtonPanel): Added check to delete button for whether plugin
or javaws is not running before proceeding with delete.
2011-04-20 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/cache/CacheUtil.java:
(cleanCache): Added check for removing files that are over set max
limit.
(removeUntrackedDirectories): Removed method. Replaced by
removeSetOfDirectories.
(removeSetOfDirectories): New method. Removes a given set of
directories.
2011-04-20 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/TemporaryInternetFilesPanel.java:
(addComponents): Uncommented lines of code to reintroduce components
to handle setting cache size limit.
2011-04-20 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/cache/CacheUtil.java:
(getCacheFile): Store lru after modifying.
2011-04-18 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/cache/CacheEntry.java:
(markForDelete): New method. Adds an entry to info file specifying
that this file should be delete.
(lock): New method. Locks the info file.
(unlock): New method. Unlocks the info file.
* netx/net/sourceforge/jnlp/cache/CacheUtil.java:
(cacheDir, lruHandler, propertiesLockPool): New private static fields.
(clearCache): Changed to use static field.
(getCacheFile): Changed to call getCacheFileIfExist and
makeNewCacheFile where appropriate.
(getCacheFileIfExist): New method. Get the file of requested item.
(makeNewCacheFile): New method. Create a new location to store cache
file.
(pathToURLPath): New method. Convert the file path to the url path.
(cleanCache): New method. Search for redundant entries and remove
them.
(removeUntrackedDirectories): New method. Remove all untracked
directories.
(lockFile): New method. Locks the given property file.
(unlockFile): New method. Unlocks the property file if we locked
before.
* netx/net/sourceforge/jnlp/cache/CacheLRUWrapper.java: New class.
Provides wrappers for handling cache's LRU.
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java:
(downloadResource): Ensure that we only allow downloading the
specified file once.
(initializeResource): Added creation of new location to store an
updated or new file.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
(JNLPClassLoader): Reordered the calls since we should check
permission after we have the files ready.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java:
(markNetxRunning): Added call to CacheUtil.cleanCache() when adding
shutdown hooks.
* netx/net/sourceforge/jnlp/util/FileUtils.java:
(getFileLock): New method.
* netx/net/sourceforge/jnlp/util/XDesktopEntry.java:
(getContentsAsReader): Changed call from using urlToPath to
getCacheFile, since the directories are no longer in that location.
2011-04-18 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/Launcher.java:
Remove unused import.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
Add annotation to suppress warning.
(loadClass): Make synchronized.
2010-04-14 Andrew John Hughes <ahughes@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java,
(PluginAppletPanelFactory.createPanel(PluginStreamHandler,
int,long,int,int,URL,Hashtable)): Remove duplication of wait
for panel.isAlive().
(PluginAppletViewer.panelLock): New lock used to track panel
creation.
(PluginAppletViewer.panelLive): Condition queue for panel creation.
(PluginAppletViewer.appletsLock): New lock used to track additions
to the applets map.
(PluginAppletViewer.appletAdded): Condition queue for applet addition.
(PluginAppletViewer.statusLock): New lock for status changes.
(PluginAppletViewer.initComplete): Condition queue for initialisation
completion.
(PluginAppletViewer.framePanel(int,long,NetxPanel)):
Replace synchronized block with use of appletsLock and notification
on appletAdded condition queue.
(AppletEventListener.appletStateChanged(AppletEvent)): Signal the
panelLive condition queue that the panel is live.
(PluginAppletViewer.handleMessage(int,int,String)): Wait on appletAdded
condition queue for applet to be added to the applets map.
(PluginAppletViewer.updateStatus(Int,PAV_INIT_STATUS)): Signal when a
status change occurs using the initComplete condition queue.
(PluginAppletViewer.waitForAppletInit(NetxPanel)): Wait on the panelLive
condition queue until the panel is created.
(PluginAppletViewer.handleMessage(int,String)): Wait on the initComplete
condition queue until initialisation is complete. Wait on the panelLive
signal until panel is created.
(waitTillTimeout(ReentrantLock,Condition,long)): Convert to use
ReentrantLock and Condition. Add assertion to check the lock is held.
Avoid conversion between milliseconds and nanoseconds.
2011-04-18 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java
(PluginAppletPanelFactory::createPanel): Make the NetxPanel variable
final. Resize frame to work around problem whereby AppletViewerPanel
doesn't always set the right size initially.
2011-04-18 Deepak Bhole <dbhole@redhat.com>
RH691259: Midori sends a SIGSEGV with the IcedTea NP Plugin
* plugin/icedteanp/IcedTeaNPPlugin.cc (NP_Initialize): Rather than
returning immediately if already initialized, return after function tables
are reset.
2010-04-11 Andrew John Hughes <ahughes@redhat.com>
* configure.ac:
Check Gentoo install location for JUnit 4.
2011-04-13 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java (createPanel):
use Object.wait() to wait, rather than pariodic sleep.
(APPLET_TIMEOUT): Updated to be in nanoseconds.
(framePanel): Synchronize put and notify threads waiting on the applets
map instance.
(appletStateChanged): Notify all threads waiting on the panel that just
changed state.
(handleMessage): Use the new waitTillTimeout function to wait, rather than
periodically waking up. Improved timeout error string sent back.
(updateStatus): Synchronize put and notify all threads waiting on status
map.
(waitForAppletInit): Use the new waitTillTimeout function to wait, rather
than periodically waking up.
(waitTillTimeout): New function. For a given non-null object, waits until
the specified timeout, or, if an interrupt was thrown during wait, returns
immediately.
2011-04-14 Denis Lila <dlila@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java
Remove unused imports, added various SuppressWarnings annotations.
(createPanel): Return NetxPanel from doPriviledged. Remove dead code.
(PluginParseRequest): Remove - unused.
(defaultSaveFile, label, statusMsgStream, requests, handle): Remove unused.
(panel): Make NetxPanel.
(identifier, appletPanels): Privatize.
(appletPanels): Change type to NetxPanel.
(applets, status): Use ConcurrentHashMaps.
(framePanel, PluginAppletViewer): Remove unused PrintStream argument.
(forceredraw): Remove - unused.
(getApplets): Use generics.
(appletClose): Fix style to match our convention.
(destroyApplet): Use pav instead of calling get many times.
(splitSeparator): Remove. Replace uses by String.split().
2011-04-13 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/cache/CacheDirectory.java:
Added final modifier to class declaration.
(CacheDirectory): New private constructor.
2011-04-12 Denis Lila <dlila@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java
(applets, status): Make concurrent.
(PluginAppletViewer): Synchronize appletPanels addElement.
(destroyApplet): Remove applets.containsKey because it and the
get that followed it were not atomic.
(appletPanels): Privatize.
(getApplet, getApplets): Synchronize iteration.
2011-04-08 Omair Majid <omajid@redhat.com>
* README: Update to add notes on rhino and junit.
2011-04-07 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java
(constructor): Make window close event call destroy applet which can be
safely called multiple times, unlike appletClose.
2011-04-06 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/AdvancedProxySettingsPane.java:
(addComponents): Changed all port fields to use document which
prevents input of non-valid port numbers.
* netx/net/sourceforge/jnlp/controlpanel/NetworkSettingsPanel.java:
(addComponents): likewise.
(getPortNumberDocument): New method.
* netx/net/sourceforge/jnlp/resources/Messages.properties:
Added CPInvalidPort and CPInvalidPortTitle.
2011-04-05 Denis Lila <dlila@redhat.com>
* plugin/icedteanp/java/netscape/javascript/JSObject.java:
Replaced every instance of PluginDebug.debug(a + b + c...)
with PluginDebug.debug(a, b, c...).
2011-04-05 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java:
Remove unused imports, add import.
(downloadOptions): Make ConcurrentHashMap.
2011-04-05 Denis Lila <dlila@redhat.com>
* plugin/icedteanp/IcedTeaNPPlugin.cc
(plugin_start_appletviewer): Replace hardcoded indices
with a variable; roll up free calls in a loop; fix whitespace;
set classpath to ICEDTEA_WEB_JRE/lib/rt.jar.
* launcher/javaws.in:
Set class path to JRE/lib/rt.jar.
* Makefile.am:
Replace @JRE@ with $(JRE) in edit_launcher_script.
2011-04-01 Denis Lila <dlila@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginDebug.java:
(debug): Use StringBuilder to build the string.
2011-03-31 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/Launcher.java: Add parserSettings and extra.
(setParserSettings): New method.
(setInformationToMerge): New method.
(launch(JNLPFile,Container)): Call mergeExtraInformation.
(launch(URL,boolean)): New method.
(mergeExtraInformation): New method.
(addProperties, addParameters, addArguments): Moved here from Boot.java
(fromUrl): New method.
* netx/net/sourceforge/jnlp/ParserSettings.java: New file.
* netx/net/sourceforge/jnlp/resources/Messages.properties: Remove BArgNA,
BParamNA.
* netx/net/sourceforge/jnlp/runtime/Boot.java
(run): Do not parse JNLP file. Pass ParserSettings and other command line
additions to launcher.
(getFile): Rename to...
(getFileLocation): New method.
(addProperties, addParameters, addArguments): Move to Launcher.java.
2011-03-31 Denis Lila <dlila@redhat.com>
* plugin/icedteanp/java/netscape/javascript/JSObject.java:
Fix comments, remove unused imports.
(equals): Remove. It was breaking the reflexivity in the
equals contract.
2011-03-31 Denis Lila <dlila@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginObjectStore.java:
Add citation of Effective Java, 2nd edition.
2011-03-31 Denis Lila <dlila@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletSecurityContext.java
(store): Make private and remove fixme to make private.
* plugin/icedteanp/java/sun/applet/PluginObjectStore.java
(PluginObjectStore): Make it a singleton using enum.
(objects, counts, identifiers, lock, wrapped, nextUniqueIdentifier,
checkNeg): Made instance methods/members.
(getInstance): New static method.
2011-03-31 Denis Lila <dlila@redhat.com>
* plugin/icedteanp/java/sun/applet/AppletSecurityContextManager.java
* plugin/icedteanp/java/sun/applet/GetMemberPluginCallRequest.java
* plugin/icedteanp/java/sun/applet/GetWindowPluginCallRequest.java
* plugin/icedteanp/java/sun/applet/PluginAppletSecurityContext.java
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java
* plugin/icedteanp/java/sun/applet/PluginCookieInfoRequest.java
* plugin/icedteanp/java/sun/applet/PluginMessageConsumer.java
* plugin/icedteanp/java/sun/applet/PluginMessageHandlerWorker.java
* plugin/icedteanp/java/sun/applet/PluginObjectStore.java
* plugin/icedteanp/java/sun/applet/PluginProxyInfoRequest.java
* plugin/icedteanp/java/sun/applet/PluginProxySelector.java
* plugin/icedteanp/java/sun/applet/PluginStreamHandler.java
* plugin/icedteanp/java/sun/applet/RequestQueue.java
* plugin/icedteanp/java/sun/applet/VoidPluginCallRequest.java:
Change all instances of PluginDebug.debug(arg1 + arg2 + ...)
to PluginDebug.debug(arg1, arg2, ...).
* plugin/icedteanp/java/sun/applet/PluginDebug.java:
Change debug from "void debug(String)" to "void debug(Object...)".
2011-03-31 Denis Lila <dlila@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginObjectStore.java
(wrapped, lock): New static variables.
(getNextID, checkNeg): New functions.
(reference): Using getNextID and synchronized.
(dump): Improve iteration and synchronized.
(unreference, getObject, getIdentifier, contains(Object),
contains(int)): Synchronized.
2011-03-31 Omair Majid <omajid@redhat.com>
Add unit tests for the parser
* Makefile.am: Add TESTS_DIR,TESTS_SRCDIR, NETX_UNIT_TEST_DIR,
and NETX_UNIT_TEST_SRCDIR, JUNIT_RUNNER_DIR, JUNIT_RUNNER_SRCDIR, and
JUNIT_RUNNER_JAR. Conditionally define RHINO_TESTS and UNIT_TESTS.
(clean-local): Use RHINO_TESTS and UNIT_TESTS.
(clean-tests): Depend on clean-netx-tests. Delete directory.
(junit-runner-source-files.txt, $(JUNIT_RUNNER_JAR)),
(next-unit-tests-sources-files.txt stamps/netx-unit-tests-compile.stamp),
(run-netx-unit-tests, clean-netx-tests, clean-junit-runner)
(clean-netx-unit-tests): New targets.
* configure.ac: Add new optional dependency on junit.
* tests/junit-runner/CommandLine.java,
* tests/junit-runner/LessVerboseTextListener.java,
* tests/junit-runner/README,
* tests/netx/unit/net/sourceforge/jnlp/ParserBasicTests.java,
* tests/netx/unit/net/sourceforge/jnlp/ParserCornerCaseTests.java,
* tests/netx/unit/net/sourceforge/jnlp/ParserMalformedXmlTests.java,
* tests/netx/unit/net/sourceforge/jnlp/basic.jnlp: New files.
2011-03-30 Omair Majid <omajid@redhat.com>
* Makefile.am: Fix comment explaining reasons for setting
JDK_UPDATE_VERSION.
2011-03-30 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/resources/Messages.properties: Fix typo in
RCantRename.
2011-03-30 Omair Majid <omajid@redhat.com>
* Makefile.am: Document reason for using bootclasspath.
2011-03-30 Omair Majid <omajid@redhat.com>
* netx/javaws.1: Fix FILES section to point to
~/.icedtea/deployment.properties.
2011-03-30 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/LaunchHandler.java
(launchInitialized, launchStarting): New methods.
* netx/net/sourceforge/jnlp/DefaultLaunchHandler.java
(launchInitialized, launchStarting): New methods. No-op
implementation.
(printMessage): Make it static.
* netx/net/sourceforge/jnlp/GuiLaunchHandler.java: New file.
(launchCompleted, launchError, launchStarting, launchInitialized),
(launchWarning, validationError): New methods.
* netx/net/sourceforge/jnlp/Launcher.java (launchApplication):
Invoke handler.launchInitialized and handler.launchStarting instead
of showing a splash screen directly.
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add
ButShowDetails, ButHideDetails and Error.
* netx/net/sourceforge/jnlp/runtime/Boot.java (run): Do not exit on
error.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java
(initialize): Set handler to GuiLaunchHandler if not running in
headless mode.
* netx/net/sourceforge/jnlp/util/BasicExceptionDialog.java: New
file.
(exceptionToString, show): New methods.
2011-03-29 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/JNLPFile.java
(getInformation): Remove redundant if.
2010-03-29 Andrew John Hughes <ahughes@redhat.com>
* plugin/docs/npplugin_liveconnect_design.html:
Replace binary PDF documentation with editable HTML.
* plugin/docs/npplugin_liveconnect_design.pdf: Removed.
2011-03-28 Omair Majid <omajid@redhat.com>
* launcher/javaws.in: Split out -J arguments and pass it to the JVM.
2011-03-28 Deepak Bhole <dbhole@redhat.com>
* netx/net/sourceforge/jnlp/PluginBridge.java
(PluginBridge): Construct unique key based on a combination of
codebase, cache_archive, java_archive, and archive. This automatically
ensures are loaders are shared only when appropriate.
2011-03-25 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/PluginBridge.java
(codeBaseLookup): new member and getter for it.
(PluginBridge): set codeBaseLookup.
* netx/net/sourceforge/jnlp/Launcher.java:
(createApplet, createAppletObject): call enableCodeBase() if and
only if the enableCodeBase argument is true.
2011-03-24 Omair Majid <omajid@redhat.com>
* Makefile.am (EXTRA_DIST): Add $(top_srcdir)/tests.
2011-03-24 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add
RBrowserLocationPromptTitle, RBrowserLocationPromptMessage and
RBrowserLocationPromptMessageWithReason.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java
(isWindows): New method. Moved from XBasicService.
(isUnix): New method.
* netx/net/sourceforge/jnlp/services/XBasicService
(initialize): Call initializeBrowserCommand.
(initializeBrowserCommand): New method.
(posixCommandExists): New method.
(isWindows): Moved to JNLPRuntime.
2011-03-23 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(findResource, findResources): New functions. Return nothing
if name.startsWith("META-INF"). Otherwise delegate to superclass.
2011-03-21 Matthias Klose <doko@ubuntu.com>
* launcher/itweb-settings.in: Use /bin/sh as interpreter.
* launcher/javaws.in: Likewise.
2011-03-14 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java:
(markNetxRunning): Handle case for when shared locks are not allowed
on the system.
2011-03-14 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/Launcher.java:
(fileLock): Removed private static field.
(launch): Mark NetX as running before launching apps.
(launchApplication): Removed call to markNetxRunning() and removed
shutdown hook for calling markNetxStopped().
(markNetxRunning): Removed method.
(markNetxStopped): Removed method.
* netx/net/sourceforge/jnlp/cache/CacheUtil.java:
(okToClearCache): Removed closing of channel.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java:
(fileLock): New private static field.
(markNetxRunning): New method to indicate NetX is running.
(markNetxStopped): New method to indicate NetX has stopped.
2011-03-16 Jiri Vanek <jvanek@redhat.com>
* extras/net/sourceforge/jnlp/about/Main.java: removed hyperlinkUpdate
and HyperlinkListener, as it can not work without all-permissions.
Also all createAndShowGUI was shorten for call from
net.sourceforge.jnlp package. Html resources were redirected to javaws
* netx/net/sourceforge/jnlp/resources/about.jnlp: removed
<all-permissions>
2011-03-16 Jiri Vanek <jvanek@redhat.com>
* netx/net/sourceforge/jnlp/runtime/Boot.java: getAboutFile changed to
return path to local about.jnlp instead to inner-from-jar
* extras/net/sourceforge/jnlp/: refactored to
extras/net/sourceforge/javaws/, as /net/sourceforge/jnlp/ package
must be run with all-permissions.
* netx/net/sourceforge/jnlp/resources/about.jnlp: codebase changed
to "."
2011-03-15 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/Launcher.java
(markNetxRunning): Throw exception if directories can't be created.
* netx/net/sourceforge/jnlp/cache/CacheDirectory.java
(cleanParent): Print error message if file can't be deleted.
* netx/net/sourceforge/jnlp/cache/CacheUtil.java
(getCacheFile): Throw exception if directories can't be created.
* netx/net/sourceforge/jnlp/config/DeploymentConfiguration.java
(save): Throw exception if directories can't be created.
* netx/net/sourceforge/jnlp/controlpanel/CachePane.java
(createButtonPanel): Print error message if file can't be deleted.
* netx/net/sourceforge/jnlp/resources/Messages.properties
Added messages.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java
(initializeStreams): Throw exception if directories can't be created.
* netx/net/sourceforge/jnlp/services/XPersistenceService.java
(create, get): Throw exception if directories can't be created.
(delete): Print error message if file can't be deleted.
* netx/net/sourceforge/jnlp/util/FileUtils.java
(createRestrictedFile): Throw exception if file permissions can't be
changed.
(createParentDir, deleteWithErrMesg): new functions.
2011-03-15 Omair Majid <omajid@redhat.com>
* Makefile.am (LAUNCHER_BOOTCLASSPATH, PLUGIN_BOOTCLASSPATH)
(javaws.desktop, itweb-settings.desktop): Remove DESTDIR.
2011-03-10 Mark Wielaard <mark@klomp.org>
* tests/netx/pac/pac-funcs-test.js (testIsResolvable):
Change single host name icedtea to NotIcedTeaHost
to make sure it really isn't resolvable.
2011-03-10 Omair Majid <omajid@redhat.com>
Replace native launchers with shell scripts
* NEWS: Update.
* Makefile.am
(LAUNCHER_BOOTCLASSPATH): Remove leading -J.
(LAUNCHER_SRCDIR),
(LAUNCHER_OBJECTS),
(NETX_LAUNCHER_OBJECTS),
(CONTROLPANEL_LAUNCHER_OBJECTS),
(LAUNCHER_FLAGS),
(LAUNCHER_LINK): Remove.
(edit_launcher_script): New function.
(all-local): Depend on new launcher targets.
(clean-local): Depend on clean-launchers.
(.PHONY): Add clean-launchers.
(install-exec-local): Use new launcher paths.
(clean-launchers): New target.
($(NETX_DIR)/launcher/%.o),
($(NETX_DIR)/launcher/controlpanel/%.o),
($(NETX_DIR)/launcher/javaws),
($(NETX_DIR)/launcher/controlpanel/itweb-settings): Remove.
(launcher.build/javaws): New launcher.
(launcher.build/itweb-settings): Likewise.
* launcher/itweb-settings.in,
* launcher/javaws.in: New file.
* netx/net/sourceforge/jnlp/Launcher.java (launchExternal),
* netx/net/sourceforge/jnlp/controlpanel/CommandLine.java (CommandLine):
Use new system properties to find paths and program names.
2011-03-10 Omair Majid <omajid@redhat.com>
* acinclude.m4 (IT_FIND_RHINO_JAR): Remove.
2011-03-10 Omair Majid <omajid@redhat.com>
* tests/netx/pac/pac-funcs-test.js
(main): Make test summary output more jtreg-like.
(runTests): Change test output format to be more jtreg-like.
2011-03-09 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/Parser.java
(getJAR): Remove unused variable.
* netx/net/sourceforge/jnlp/cache/Resource.java
(connection): Remove unused member.
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java
(lock): Initialize to Object() instead of Integer(0). Also,
make final.
* netx/net/sourceforge/jnlp/controlpanel/ControlPanel.java
(SettingsPanel): Make static class.
* netx/net/sourceforge/jnlp/event/ApplicationEvent.java
(application): Make member transient.
* netx/net/sourceforge/jnlp/event/DownloadEvent.java
(tracker, resource): Make members transient.
* netx/net/sourceforge/jnlp/runtime/AppletEnvironment.java
(appletInstance): Remove unused member.
(parameters): Add parameters to its type (a map).
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
Remove unused import.
(getNativeDir): Improve random int computation.
(CodeBaseClassLoader): Make it a static class.
* netx/net/sourceforge/jnlp/JNLPFile.java
(JNLPFile): Improve random positive int computation.
* netx/net/sourceforge/jnlp/runtime/JNLPSecurityManager.java
(activeApplication): Remove unused member.
(checkExit): Remove dead code resulting from activeApplication
always being null.
* netx/net/sourceforge/jnlp/security/NotAllSignedWarningPane.java
Remove unused import.
(addComponents): Remove unused variable.
* netx/net/sourceforge/jnlp/security/SecurityDialogPanel.java
(SetValueHandler): Make it a static class.
* netx/net/sourceforge/jnlp/security/viewer/CertificatePane.java
(CertificateType): Make it a static class.
* netx/net/sourceforge/jnlp/services/ServiceUtil.java
(checkAccess): Replace new Boolean with Boolean.valueOf.
* netx/net/sourceforge/jnlp/tools/JarSigner.java
(storeHash): Remove unused member.
* netx/net/sourceforge/jnlp/util/XDesktopEntry.java
(getContentsAsReader): Remove unused variable pathToJavaws.
2011-03-09 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/SecuritySettingsPanel.java:
(addComponents): Fix typo.
2011-03-08 Omair Majid <omajid@redhat.com>
* acinclude.m4 (IT_FIND_OPTIONAL_JAR): New macro.
* configure.ac: Do not call IT_FIND_RHINO. Use IT_FIND_OPTIONAL_JAR
instead.
2011-03-08 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/runtime/RhinoBasedPacEvaluator.java
(getProxies): Add result to cache, not cachedResult.
2011-03-08 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/browser/FirefoxPreferencesFinder.java
(find): Close input stream.
* netx/net/sourceforge/jnlp/browser/FirefoxPreferencesParser.java
(parse): Close input stream.
* netx/net/sourceforge/jnlp/runtime/RhinoBasedPacEvaluator.java
(getPacContents, getHelperFunctionContents): Close input stream.
* netx/net/sourceforge/jnlp/security/CertWarningPane.java
(CheckBoxListener.actionPerformed): Close output stream.
* netx/net/sourceforge/jnlp/security/viewer/CertificatePane.java
(ImportButtonListener.actionPerformed): Close output stream.
2011-03-08 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/util/PropertiesFile.java:
(load): Closed streams after opening them.
(store): Likewise.
2011-03-08 Denis Lila <dlila@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java
(getRequestIdentifier): Fix race condition by synchronizing
on mutex.
(requestIdentityCounter): Now a long.
2011-03-07 Omair Majid <omajid@redhat.com>
* acinclude.m4 (IT_FIND_RHINO_JAR): Set RHINO_AVAILABLE to true or false
appropriately.
* build.properties.in: New file.
* jrunscript.in: New file.
* configure.ac: Add build.properties and jrunscript to AC_CONFIG_FILES.
* Makefile.am
(.PHONY): Remove clean-jrunscript.
(build.properties): Remove target.
(stamps/netx.stamp): Remove dependency on build.properties.
(clean-netx): Do not delete build.properties.
(jrunscript): Remove target.
(check-pac-functions): Remove dependency on jrunscript.
(clean-tests): Remove dependency on clean-jrunscript.
(clean-jrunscript): Remove target.
2011-03-07 Omair Majid <omajid@redhat.com>
* NEWS: Update.
* acinclude.m4 (IT_OBTAIN_HG_REVISIONS): Use hg id instead of hg tip.
2011-03-07 Omair Majid <omajid@redhat.com>
* plugin/icedteanp/IcedTeaNPPlugin.cc: Add plugin_debug_suspend.
(plugin_start_appletviewer): If plugin_debug_suspend is true, start jvm in
suspend mode.
2011-03-07 Omair Majid <omajid@redhat.com>
* NEWS: Update.
* Makefile.am
(RHINO_RUNTIME): Define to point to rhino jars, or empty.
(RUNTIME, LAUNCHER_BOOTCLASSPATH, PLUGIN_BOOTCLASSPATH): Include
RHINO_RUNTIME.
(PHONY): Add check-pac-functions, clean-jrunscript and clean-tests.
(check-local): New target. Depends on check-pac-functions.
(check-pac-functions): New target.
(jrunscript): New target.
(clean-tests): New target.
(clean-jrunscript): New target.
(netx-source-files.txt): Remove rhino related files if not building with
rhino.
(build.properties): New target.
(stamps/netx.stamp): Depend on build.properties and copy new files to
build location.
(clean-netx): Remove build.properties.
(stamps/bootstrap-directory.stamp): Add java to bootstrap programs.
* acinclude.m4 (IT_FIND_RHINO_JAR): New macro.
* configure.ac: Invoke IT_FIND_RHINO_JAR.
* netx/net/sourceforge/jnlp/browser/BrowserAwareProxySelector.java: Add
browserProxyAutoConfig.
(initFromBrowserConfig): Initialize browserProxyAutoConfig if needed.
(getFromBrowserPAC): Use browserProxyAutoConfig to find proxies.
* netx/net/sourceforge/jnlp/resources/Messages.properties: Replace
RPRoxyPacNotImplemented with RPRoxyPacNotSupported.
* netx/net/sourceforge/jnlp/runtime/JNLPProxySelector.java: Add
pacEvaluator.
(parseConfiguration): Initialize pacEvaluator if needed.
(getFromPAC): Use pacEvaulator to find proxies.
(getProxiesFromPacResult): New method. Converts a proxy string to a list
or proxies.
* netx/net/sourceforge/jnlp/runtime/PacEvaluator.java: New file. Defines a
Java interface for a PAC evaluator.
* netx/net/sourceforge/jnlp/runtime/FakePacEvaluator.java: New file. Dummy
implementation of a PAC evaluator.
* netx/net/sourceforge/jnlp/runtime/RhinoBasedPacEvaluator.java: New file.
A rhino-based PAC evaluator.
* netx/net/sourceforge/jnlp/runtime/PacEvaluatorFactory.java: New file. A
factory for creating the right PAC evaulator.
* netx/net/sourceforge/jnlp/runtime/pac-funcs.js: New file. Defines helper
functions needed while evaluating PAC files.
* tests/netx/pac/pac-funcs-test.js: New file. Tests the PAC helper
functions.
2011-03-07 Denis Lila <dlila@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletSecurityContext.java:
(prepopulateMethod) removed unused object o.
* plugin/icedteanp/java/sun/applet/PluginCallRequest.java:
Made all the members private.
* plugin/icedteanp/java/sun/applet/PluginMessageConsumer.java:
Removed unused imports.
(MAX_PARALLEL_INITS, MAX_WORKERS, PRIORITY_WORKERS, readQueue,
workers, streamHandler, consumerThread,
registerPriorityWait(String), unRegisterPriorityWait(String)):
made private.
(initWorkers, as, processedIds, unRegisterPriorityWait(Long),
addToInitWorkers): removed - unused.
(getPriorityStrIfPriority): made static; replaced while with for-each.
(notifyWorkerIsFree): removed synchronized section - useless.
(ConsumerThread.run): removed call to addToInitWorkers.
* plugin/icedteanp/java/sun/applet/PluginMessageHandlerWorker.java:
Removed explicit member initializations to the default values; fixed typo.
(PluginMessageHandlerWorker): Removed SecurityManager argument - unused.
* plugin/icedteanp/java/sun/applet/PluginStreamHandler.java:
Removed unused imports.
(consumer, shuttingDown): made private.
(pav, writeQueue, getMessage, messageAvailable): removed - unused.
(PluginStreamHandler): removed pav initialization.
* plugin/icedteanp/java/sun/applet/AppletSecurityContextManager.java:
Removed FIXME comment.
2011-03-07 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/JNLPFile.java:
(getResourcesDescs): added comment.
(getDownloadOptionsForJar): removed commented out code.
* netx/net/sourceforge/jnlp/PluginBridge.java
(getResourcesDescs): added comment.
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java
(downloadResource): added comment.
2011-03-04 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/JNLPFile.java:
(getDownloadOptionsForJar): Moved here from JNLPClassLoader.java.
* netx/net/sourceforge/jnlp/PluginBridge.java
(usePack, useVersion): added.
(PluginBridge): initializing usePack and useVersion.
(getDownloadOptionsForJar): return the download options.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(getDownloadOptionsForJar): logic moved to JNLPFile.java and its
subclasses. Now just calling file.getDownloadOptionsForJar.
* NEWS: Updated with fix of PR658.
2011-03-04 Denis Lila <dlila@redhat.com>
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java
(downloadResource): changed the order in which pack200+gz compression
and gzip compression are checked.
* netx/net/sourceforge/jnlp/cache/ResourceUrlCreator.java
(getUrl): if usePack is true, append ".pack.gz" to the file name,
instead of replacing ".jar" with ".pack.gz".
2011-03-04 Deepak Bhole <dbhole@redhat.com>
* NEWS: Updated.
* netx/net/sourceforge/jnlp/PluginBridge.java (PluginBridge): Use
documentbase as a uniquekey so that the classloader may be shared by
applets from the same page.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java: Added new
CodeBaseClassLoader class to load codebase (from path instead of a file)
classes.
(getInstance): Try to match file locations only for Web Start apps. For
plugin, merge the new loader into current one.
(enableCodeBase): Use the new addToCodeBaseLoader method.
(findLoadedClassAll): Search the codebase loader if the class was not
found in the file loaders.
(findClass): Likewise.
(getResource): Likewise.
(findResources): Likewise.
(merge): Merge codebase loaders.
(addToCodeBaseLoader): New method. Adds a given url to the codebase loader
if it is a path.
(CodeBaseClassLoader): New inner class. Extends URLClassLoader to expose
its protected methods like addURL.
* netx/net/sourceforge/jnlp/runtime/JNLPSecurityManager.java
(getApplication): Accomodate the fact that the classloader for a class may
be a CodeBaseClassLoader.
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java (run):
Likewise.
2011-03-03 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/IcedTeaNPPlugin.cc
(plugin_send_initialization_message): New method. Sends initialization
information to the Java side.
(ITNP_SetWindow): Call the new plugin_send_initialization_message
function.
(get_scriptable_object): Same.
2011-03-03 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc
(eval): Proceed with _eval only if instance is valid.
(call): Proceed with _call only if instance is valid. Moved declaration
of result_variant_jniid, result_variant args_array and thread_data to
the top.
(sendString): Proceed with _getString only if instance is valid. Remove
thread count incrementer.
(setMember): Proceed with _setMember only if instance is valid. Remove
thread count incrementer.
(sendMember): Proceed with _getMember only if instance is valid.
2011-03-03 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc
(PluginRequestProcessor): Remove initialization of tc_mutex
(~PluginRequestProcessor): Remove destruction of tc_mutex
(sendString): Removed thread count incrementer code.
(setMember): Same.
(sendMember): Same.
* plugin/icedteanp/IcedTeaPluginRequestProcessor.h: Removed tc_mutex and
thread_count variables.
2011-03-02 Omair Majid <omajid@redhat.com>
Fix PR612.
* NEWS: Update with fix.
* netx/net/sourceforge/jnlp/SecurityDesc.java: Add PropertyPermissions for
browser and browser.* to sandboxPermissions.
2011-03-02 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/CommandLine.java
(handleSetCommand): Fix warning message.
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add
CLWarningUnknownProperty.
2011-03-01 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPPolicy.java (isSystemJar): Check
for nulls.
2011-03-01 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/ControlPanel.java
(createMainSettingsPanel): Commented out unimplemented feature.
* netx/net/sourceforge/jnlp/controlpanel/TemporaryInternetFilesPanel.java
(addComponents): Commented out unimplemented feature.
2011-02-28 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/CommandLine.java
(printResetHelp): Indicate that "all" is a valid argument.
(handleResetCommand): Deal with "all" instead of a property name by
reseting all properties.
2011-02-28 Denis Lila <dlila@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginMain.java
(redirectStreams, streamHandler, securityContext) make them local.
(theVersion): make it private.
(PluginMain): make it private. Empty the body.
(main): Do all the work that used to be in PluginMain.
(connect): make it static, and now it returns a PluginStreamHandler
instead of setting a static variable.
(messageAvailable, getMessage): Remove.
2011-02-28 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add Password,
Username and SAuthenticationPrompt.
* netx/net/sourceforge/jnlp/security/JNLPAuthenticator.java
(getPasswordAuthentication): Show password prompt using the secure thread.
* netx/net/sourceforge/jnlp/security/PasswordAuthenticationPane.java
(PasswordAuthenticationPane): Initialize variables.
(initialize): For consistency, rename to..
(addComponents): New method. Set the appropriate return value when user
takes an action.
(askUser): Remove.
(main): Remove.
* netx/net/sourceforge/jnlp/security/SecurityDialog.java
(initDialog): Add extra case for AUTHENTICATION dialog type.
(installPanel): Likewise.
* netx/net/sourceforge/jnlp/security/SecurityDialogs.java
(DialogType): Add AUTHENTICATION.
(showAuthenicationPrompt): New method. Shows a password authentication
prompt.
2011-02-28 Omair Majid <omajid@redhat.com>
Rename files
* netx/net/sourceforge/jnlp/security/PasswordAuthenticationDialog.java:
Rename to ...
* netx/net/sourceforge/jnlp/security/PasswordAuthenticationPane.java: New
file.
* netx/net/sourceforge/jnlp/security/SecurityWarningDialog.java: Rename
to...
* netx/net/sourceforge/jnlp/security/SecurityDialog.java: New file.
* netx/net/sourceforge/jnlp/security/SecurityWarning.java: Rename to...
* netx/net/sourceforge/jnlp/security/SecurityDialogs.java: New file.
* netx/net/sourceforge/jnlp/runtime/ApplicationInstance.java,
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java,
* netx/net/sourceforge/jnlp/runtime/JNLPSecurityManager.java,
* netx/net/sourceforge/jnlp/security/AccessWarningPane.java,
* netx/net/sourceforge/jnlp/security/AppletWarningPane.java,
* netx/net/sourceforge/jnlp/security/CertWarningPane.java,
* netx/net/sourceforge/jnlp/security/CertsInfoPane.java,
* netx/net/sourceforge/jnlp/security/JNLPAuthenticator.java,
* netx/net/sourceforge/jnlp/security/MoreInfoPane.java,
* netx/net/sourceforge/jnlp/security/NotAllSignedWarningPane.java,
* netx/net/sourceforge/jnlp/security/SecurityDialogMessage.java,
* netx/net/sourceforge/jnlp/security/SecurityDialogMessageHandler.java,
* netx/net/sourceforge/jnlp/security/SecurityDialogPanel.java,
* netx/net/sourceforge/jnlp/security/SingleCertInfoPane.java,
* netx/net/sourceforge/jnlp/security/VariableX509TrustManager.java,
* netx/net/sourceforge/jnlp/security/viewer/CertificatePane.java,
* netx/net/sourceforge/jnlp/services/ServiceUtil.java,
* netx/net/sourceforge/jnlp/services/XClipboardService.java,
* netx/net/sourceforge/jnlp/services/XExtendedService.java,
* netx/net/sourceforge/jnlp/services/XFileOpenService.java,
* netx/net/sourceforge/jnlp/services/XFileSaveService.java: Update class
names to the new classes.
2011-02-25 Omair Majid <omajid@redhat.com>
* Makefile.am (stamps/netx-dist.stamp): Do not add extra files to
classes.jar.
2011-02-25 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/resources/Manifest.mf: Remove unused file.
2011-02-23 Omair Majid <omajid@redhat.com>
* Makefile.am: Add missing slash to JRE.
2011-02-23 Omair Majid <omajid@redhat.com>
RH677772: NoSuchAlgorithmException using SSL/TLS in javaws
* NEWS: Update with bugfix.
* netx/net/sourceforge/jnlp/runtime/JNLPPolicy.java: Add new field
jreExtDir.
(JNLPPolicy): Initialize jreExtDir.
(getPermissions): Grant AllPermissions if the CodeSourse is a system jar.
(isSystemJar): New method.
* netx/net/sourceforge/jnlp/runtime/JNLPSecurityManager.java
(checkPermission): Remove special casing of
SecurityPermission("putProviderProperty.SunJCE") and
SecurityPermission("accessClassInPackage.sun.security.internal.spec").
(inTrustedCallChain): Remove.
2011-02-22 Omair Majid <omajid@redhat.com>
Mark Greenwood <mark@dcs.shef.ac.uk>
Fix PR638
* NEWS: Update with fix.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java (loadClass): Throw
ClassNotFoundException instead of returning null.
* AUTHORS: Update.
2011-02-22 Omair Majid <omajid@redhat.com>
* Makefile.am (uninstall-local): Fix typo in PACKAGE_NAME.
2011-02-22 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add
RNoAboutJnlp.
* netx/net/sourceforge/jnlp/runtime/Boot.java: Remove NETX_ABOUT_FILE.
(getAboutFile): Look for about.jnlp using the classloader.
(getFile): Use localized error message string.
2011-02-22 Omair Majid <omajid@redhat.com>
DJ Lucas <dj@lucasit.com>
* Makefile.am
(install-data-local): Use $(mandir) for man page dir.
(uninstall-local): Use $(mandir) for man page dir.
* AUTHORS: Update.
2011-02-22 Omair Majid <omajid@redhat.com>
Install icedtea-web into a FHS-compliant location
* Makefile.am: Add new vars JRE, LAUNCHER_BOOTCLASSPATH and
PLUGIN_BOOTCLASSPATH.
(install-exec-local): Install files to FHS-compliant location; do not
create links.
(install-data-local): Likewise.
(uninstall-local): Update file paths to delete.
($(PLUGIN_DIR)/%.o): Pass PLUGIN_BOOTCLASSPATH and ICEDTEA_WEB_JRE.
($(NETX_DIR)/launcher/%.o): Pass LAUNCHER_BOOTCLASSPATH and
ICEDTEA_WEB_JRE.
($(NETX_DIR)/launcher/controlpanel/%.o): Likewise.
* launcher/java_md.c
(GetIcedTeaWebJREPath): New method.
(CreateExecutionEnvironment): Call GetIcedTeaWebJREPath.
* plugin/icedteanp/IcedTeaNPPlugin.cc
(plugin_start_appletviewer): Add PLUGIN_BOOTCLASSPATH to the command.
(NP_Initialize): Use ICEDTEA_WEB_JRE to initialize filename.
2011-02-18 Omair Majid <omajid@redhat.com>
Remove pluginappletviewer binary
* Makefile.am
(ICEDTEAPLUGIN_TARGET): Remove dependency on pluginappletviewer.
(PLUGIN_LAUNCHER_OBJECTS): Remove.
(install-exec-local): Do not install pluginappletviewer.
(uninstall-local): Do not remove pluginappletviewer.
($(PLUGIN_DIR)/launcher/%.o): Remove.
($(PLUGIN_DIR)/launcher/pluginappletviewer): Remove.
(clean-IcedTeaPlugin): Dont clean plugin launcher files.
2011-02-15 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/util/TimedHashMap.java: Do not extend HashMap
to provide a more type-safe and consistent interface. Use System.nanoTime
for a more monotonic clock.
2011-02-15 Omair Majid <omajid@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginProxySelector.java
(TimedHashMap): Moved to...
* netx/net/sourceforge/jnlp/util/TimedHashMap.java: New file.
2011-02-11 Omair Majid <omajid@redhat.com>
RH677332, CVE-2011-0706: IcedTea multiple signers privilege escalation
* NEWS: Updated.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(initializeResources): Assign appropriate security descriptor based on
code signing.
2011-02-11 Deepak Bhole <dbhole@redhat.com>
Fix S6983554, CVE-2010-4450: Launcher incorrect processing of empty
library path entries
* NEWS: Updated.
* launcher/java_md.c: Ignore empty LD_LIBRARY_PATH.
2011-02-11 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/PluginBridge.java
(getResourcesDescs): New method implemented to override behaviour in
JNLPFile class.
2011-02-11 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/JNLPFile.java
(getResourceDescs): Renamed to...
(getResourcesDescs): New method.
(getResourceDescs): Renamed to...
(getResourcesDescs): New method.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(getDownloadOptionsForJar): Call renamed method.
2011-02-10 Omair Majid <omajid@redhat.com>
Fix RH669942; Add support for packEnabled and versionEnabled.
* NEWS: Update with bugfix.
* netx/net/sourceforge/jnlp/DownloadOptions.java: New file.
* netx/net/sourceforge/jnlp/JNLPFile.java
(openURL): Use null for DownloadOptions.
(getResourceDescs): New method.
(getResourceDescs(Locale,String,String)): New method.
* netx/net/sourceforge/jnlp/Launcher.java
(launchApplication): Add image to downloader with null DownloadOptions.
* netx/net/sourceforge/jnlp/cache/CacheUtil.java
(getCachedResource): Add resource with null DownloadOptions.
* netx/net/sourceforge/jnlp/cache/Resource.java: Add new field
downloadLocation.
(Resource): Initialize downloadLocation.
(getDownloadLocation): New method.
(setDownloadLocation): New method.
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java: Add new field
downloadOptions.
(addResource(URL,Version,UpdatePolicy)): Renamed to...
(addResource(URL,Version,DownloadOptions,UpdatePolicy)): New method.
(downloadResource): Add support for explicit downloading of packed jars as
well as content-encoded packed jars.
(initializeResource): Invokde findBestUrl to find the best url. Set that
as the download location for the resource.
(getVersionedResourceURL): Remove.
(findBestUrl): New method. Use ResourceUrlCreator to get a list of all
possible urls that can be used to download this resource. Try them one by
one until one works and return that.
* netx/net/sourceforge/jnlp/cache/ResourceUrlCreator.java: New file.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(initializeResources): Add resource with appropriate download options.
(activateJars): Likewise.
(loadClass): Likewise.
(getDownloadOptionsForJar): New method.
2011-02-10 Deepak Bhole <dbhole@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java (initialize):
Restrict access to net.sourceforge.jnlp.* classes by untrusted
classes.
2011-02-09 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/NetworkSettingsPanel.java
(addComponents): Fix the listener attached to the port field to update the
right config option.
2011-02-08 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/browser/BrowserAwareProxySelector.java
(initFromBrowserConfig): Do not try to create a URL from null.
(getFromBrowser): Only print informational messages in debug mode.
2011-02-01 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(activateJars): Add the nested jar to ResourceTracker. Use
JarSigner.verifyJars instead of JarSigner.verifyJar.
* netx/net/sourceforge/jnlp/tools/JarSigner.java
(verifyJar): Make private to indicate nothing should be using this
directly.
2011-01-24 Deepak Bhole <dbhole@redhat.com>
RH672262, CVE-2011-0025: IcedTea jarfile signature verification bypass
* rt/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(initializeResources): Prompt user only if there is a single certificate
that signs all jars in the jnlp file, otherwise treat as unsigned.
* rt/net/sourceforge/jnlp/security/CertVerifier.java: Rename getCerts to
getCertPath and make it return a CertPath.
* rt/net/sourceforge/jnlp/security/CertsInfoPane.java: Rename certs
variable to certPath and change its type to CertPath.
(buildTree): Use new certPath variable.
(populateTable): Same.
* rt/net/sourceforge/jnlp/security/HttpsCertVerifier.java: Rename getCerts
to getCertPath and make it return a CertPath.
* rt/net/sourceforge/jnlp/tools/JarSigner.java: Change type for certs
variable to be a hashmap that stores certs and the number of entries they
have signed.
(totalSignableEntries): New variable to track how many signable entries
have been encountered.
(getCerts): Updated method to return certs from new hashmap.
(isFullySignedByASingleCert): New method. Returns if there is a single
cert that signs all the entries in the jars specified in the jnlp file.
(verifyJars): Move verifiedJars and unverifiedJars out of the for loop so
that the data is not lost when the next jar is processed. After verifying
each jar, see if there is a single signer, and prompt the user if there is
such an untrusted signer.
(verifyJar): Increment totalSignableEntries for each signable entry
encountered and the count for each cert when it signs an entry. Move
checkTrustedCerts() out of the function into verifyJars().
2011-01-28 Omair Majid <omajid@redhat.com>
* Makefile.am: Move ICEDTEA_REV, ICEDTEA_PKG to acinclude.m4. Use
FULL_VERSION.
(stamps/netx-dist.stamp): Depend on netx.manifest. Use this file as the
jar file manifest.
* acinclude.m4 (IT_SET_VERSION): New macro. Defines FULL_VERSION.
* configure.ac: Add netx.manifest to AC_CONFIG_FILES. Invoke
IT_SET_VERSION.
* netx.manifest.in: New file.
* netx/net/sourceforge/jnlp/runtime/Boot.java: Set name and version using
information from the manifest file.
2011-01-27 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add
RPRoxyPacNotImplemented, RProxyFirefoxNotFound, and
RProxyFirefoxOptionNotImplemented.
* netx/net/sourceforge/jnlp/runtime/JNLPProxySelector.java: Make abstract.
(getFromBrowser): Remove implementation; make abstract.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java
(initialize): Set BrowserAwareProxySelector as the proxy selector.
* netx/net/sourceforge/jnlp/browser/BrowserAwareProxySelector.java: New
file. This class extends JNLPProxySelector and searches the browser's
configuration to load additional proxy settings from.
* netx/net/sourceforge/jnlp/browser/FirefoxPreferencesFinder.java: New
file. This class looks into the browser configration to find the
preferences file for the default firefox profile.
* netx/net/sourceforge/jnlp/browser/FirefoxPreferencesParser.java: New
file. Parses the browser's preferences and makes it available through a
simpler interface.
2011-01-27 Omair Majid <omajid@redhat.com>
* AUTHORS: Update to include Jon A Maxwell.
* extra/net/sourceforge/jnlp/about/resources/notes.html: Include everyone
from AUTHORS.
2011-01-25 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/resources/default.jnlp: Remove.
2011-01-24 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/Launcher.java: Exit with error code
* netx/net/sourceforge/jnlp/NetxPanel.java: Likewise.
2011-01-20 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/AppletLog.java: Restrict log files to
owner accessible only.
2011-01-20 Andrew Su <asu@redhat.com>
Removing dead/commented/unused code.
* plugin/icedteanp/java/sun/applet/GetWindowPluginCallRequest.java:
Removed unused imports.
* plugin/icedteanp/java/sun/applet/MethodOverloadResolver.java:
(getMatchingMethod): Removed unused variable.
(getMatchingConstructor): Removed unused variable.
* plugin/icedteanp/java/sun/applet/PluginAppletSecurityContext.java:
Removed unused imports.
(Signature): Removed commented code.
(handleMessage): Removed commented code.
(getAccessControlContext): Remove commented code.
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java:
(getCachedImage): Removed commented code.
(makeReader): Removed unused method.
(parse): Removed unused variables. Removed dead code.
* plugin/icedteanp/java/sun/applet/PluginCallRequest.java: Removed
unused imports.
* plugin/icedteanp/java/sun/applet/PluginDebug.java: Removed unused
imports.
* plugin/icedteanp/java/sun/applet/PluginMessageConsumer.java: Removed
unused imports.
(getReference): Removed unused method.
(isInInit): Removed unused method.
(dumpWorkerStatus): Removed unused method.
* plugin/icedteanp/java/sun/applet/PluginMessageHandlerWorker.java:
Removed unused variable.
(PluginMessageHandlerWorker): Removed unused variable.
(plugin/icedteanp/java/sun/applet/PluginObjectStore.java): Removed
unused imports.
(reference): Removed commented code.
(unreference): Removed commented code.
* plugin/icedteanp/java/sun/applet/PluginProxyInfoRequest.java:
Removed unused import.
* plugin/icedteanp/java/sun/applet/PluginStreamHandler.java: Removed
unused imports. Removed unused variable.
(PluginStreamHandler): Removed unnecessary comments. Removed commented
code.
(startProcessing): Removed unused variables. Removed commented code.
(write): Removed commented code.
2011-01-20 Deepak Bhole <dbhole@redhat.com>
PR619: Improper finalization by the plugin can crash the browser
* plugin/icedteanp/java/netscape/javascript/JSObject.java (finalize):
Proceed with finalization only if JSObject is valid.
2011-01-17 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/NetxPanel.java:
(showAppletException): Override, adds logging to file then proceed
with showAppletException in sun.applet.AppletPanel.
* netx/net/sourceforge/jnlp/AppletLog.java: New class.
* netx/net/sourceforge/jnlp/Log.java: New class.
2011-01-14 Andrew Su <asu@redhat.com>
* Makefile.am: Added net.sourceforge.jnlp.config and
net.sourceforge.jnlp.runtime to NETX_PKGS.
2011-01-12 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/ControlPanel.java
(main): Set look and feel. Set config object to use with KeyStores.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java
(initialize): Set config object to use with KeyStores.
* netx/net/sourceforge/jnlp/security/KeyStores.java: Add new member
config.
(setConfiguration): New method. Sets the value of config after security
check.
(getKeyStoreLocation): Use config object instead of querying JNLPRuntime.
2011-01-12 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/JNLPFile: Add missing generic type to info.
(getInformation): Remove redundant cast.
2011-01-12 Omair Majid <omajid@redhat.com>
* netx/javax/jnlp/UnavailableServiceException.java: Remove unused
imports.
* netx/net/sourceforge/jnlp/AppletDesc.java: Likewise.
* netx/net/sourceforge/jnlp/ApplicationDesc.java: Likewise.
* netx/net/sourceforge/jnlp/ComponentDesc.java: Likewise.
* netx/net/sourceforge/jnlp/DefaultLaunchHandler.java: Likewise.
* netx/net/sourceforge/jnlp/IconDesc.java: Likewise.
* netx/net/sourceforge/jnlp/InformationDesc.java: Likewise.
* netx/net/sourceforge/jnlp/InstallerDesc.java: Likewise.
* netx/net/sourceforge/jnlp/JARDesc.java: Likewise.
* netx/net/sourceforge/jnlp/JREDesc.java: Likewise.
* netx/net/sourceforge/jnlp/Launcher.java: Likewise.
* netx/net/sourceforge/jnlp/PackageDesc.java: Likewise.
* netx/net/sourceforge/jnlp/ParseException.java: Likewise.
* netx/net/sourceforge/jnlp/PluginBridge.java: Likewise.
* netx/net/sourceforge/jnlp/PropertyDesc.java: Likewise.
* netx/net/sourceforge/jnlp/ResourcesDesc.java: Likewise.
* netx/net/sourceforge/jnlp/Version.java: Likewise.
* netx/net/sourceforge/jnlp/cache/CacheEntry.java: Likewise.
* netx/net/sourceforge/jnlp/cache/CacheUtil.java: Likewise.
* netx/net/sourceforge/jnlp/cache/DefaultDownloadIndicator.java:
Likewise.
* netx/net/sourceforge/jnlp/cache/DownloadIndicator.java: Likewise.
* netx/net/sourceforge/jnlp/cache/UpdatePolicy.java: Likewise.
* netx/net/sourceforge/jnlp/controlpanel
/AdvancedProxySettingsDialog.java: Likewise.
* netx/net/sourceforge/jnlp/controlpanel
/AdvancedProxySettingsPane.java: Likewise.
* netx/net/sourceforge/jnlp/controlpanel/NetworkSettingsPanel.java:
Likewise.
* netx/net/sourceforge/jnlp/controlpanel
/TemporaryInternetFilesPanel.java: Likewise.
* netx/net/sourceforge/jnlp/event/ApplicationEvent.java: Likewise.
* netx/net/sourceforge/jnlp/event/DownloadEvent.java: Likewise.
* netx/net/sourceforge/jnlp/runtime/AppThreadGroup.java: Likewise.
* netx/net/sourceforge/jnlp/runtime/AppletAudioClip.java: Likewise.
* netx/net/sourceforge/jnlp/runtime/AppletInstance.java: Likewise.
* netx/net/sourceforge/jnlp/runtime/ApplicationInstance.java:
Likewise.
* netx/net/sourceforge/jnlp/runtime/Boot13.java: Likewise.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java: Likewise.
* netx/net/sourceforge/jnlp/runtime/JNLPSecurityManager.java:
Likewise.
* netx/net/sourceforge/jnlp/security/CertsInfoPane.java: Likewise.
* netx/net/sourceforge/jnlp/security/SecurityUtil.java: Likewise.
* netx/net/sourceforge/jnlp/services/XBasicService.java: Likewise.
* netx/net/sourceforge/jnlp/services/XDownloadService.java: Likewise.
* netx/net/sourceforge/jnlp/services/XExtensionInstallerService.java:
Likewise.
* netx/net/sourceforge/jnlp/services/XFileContents.java: Likewise.
* netx/net/sourceforge/jnlp/services/XFileOpenService.java: Likewise.
* netx/net/sourceforge/jnlp/services/XFileSaveService.java: Likewise.
* netx/net/sourceforge/jnlp/services/XPersistenceService.java:
Likewise.
* netx/net/sourceforge/jnlp/util/PropertiesFile.java: Likewise.
* netx/net/sourceforge/jnlp/util/Reflect.java: Likewise.
2011-01-04 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/security/KeyStores.java
(getKeyStoreLocation): Fix typo. Return the user-level certificate
store correctly.
2011-01-04 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPPolicy.java: Add
systemJnlpPolicy and userJnlpPolicy.
(JNLPPolicy): Initialize the new policies.
(getPermissions): Consult the extra policies as well to determine the
resulting permissions to be granted.
(getPolicyFromConfig): New method. Create a new Policy instance to
delegate to for system- and user-level policies.
2011-01-04 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/SecurityDesc.java: Add
customTrustedPolicy.
(SecurityDesc): Initialize customTrustedPolicy.
(getCustomTrustedPolicy): New method. Get custom policy file from
configuration and use it to initialize a custom configuration.
(getPermissions): If trusted application and customTrustedPolicy is
not null, delegate to otherwise return AllPermissions.
* netx/net/sourceforge/jnlp/config/Defaults.java
(getDefaults): Use constant for property.
* netx/net/sourceforge/jnlp/config/DeploymentConfiguration.java:
Add new constant KEY_SECURITY_TRUSTED_POLICY.
* netx/net/sourceforge/jnlp/runtime/ApplicationInstance.java
(installEnvironment): Pass cs as a parameter to
SecurityDesc.getPermissions.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(getPermissions): Likewise.
2011-01-04 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/ControlPanel.java: Remove
JNLPRuntime import. Remove configBrowserCommand.
(createMainSettingsPanel): Remove call to loadConfiguration.
(loadConfiguration): Remove method. Setting the browser command
should be handled by the appropriate panel.
(main): Remove call to JNLPRuntime.initialize and just create a new
DeploymentConfiguration object. Clarify TODO comment.
2011-01-04 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(installShutdownHooks): Only print when not null.
2011-01-04 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/SecuritySettingsPanel.java:
(addComponents): Hide unsupported options.
2010-12-23 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/AdvancedProxySettingsDialog.java:
(showAdvancedProxySettingsDialog): Removed call to setSystemLookAndFeel().
(setSystemLookAndFeel): Method removed.
2010-12-23 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/AdvancedProxySettingsDialog.java:
(showAdvancedProxySettingsDialog): Removed creation of swing thread.
* netx/net/sourceforge/jnlp/controlpanel/CacheViewer.java:
(showCacheDialog): Removed throwing of exception.
* netx/net/sourceforge/jnlp/controlpanel/NetworkSettingsPanel.java:
(addComponents): Removed try catch block.
* /netx/net/sourceforge/jnlp/controlpanel/TemporaryInternetFilesPanel.java:
(addComponents): Removed creation of swing thread and try catch block.
2010-12-22 Deepak Bhole <dbhole@redhat.com>
RH665104: OpenJDK Firefox Java plugin loses a cookie
* plugin/icedteanp/java/sun/applet/PluginCookieInfoRequest.java
(parseReturn): Skip one less space so that the first cookie is not
skipped.
* NEWS: Updated.
2010-12-21 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/AdvancedProxySettingsPane.java,
netx/net/sourceforge/jnlp/controlpanel/NetworkSettingsPanel.java:
(addComponents): Replaced key listeners and mouse listeners for text
fields with document adapter.
* netx/net/sourceforge/jnlp/controlpanel/DocumentAdapter.java: New class.
* netx/net/sourceforge/jnlp/controlpanel/MiddleClickListener.java:
Removed.
2010-12-20 Andrew Su <asu@redhat.com>
Added a cache viewer for the control panel.
* netx/net/sourceforge/jnlp/controlpanel/TemporaryInternetFilesPanel.java:
(addComponents): Changed buttons to open cache viewer.
* netx/net/sourceforge/jnlp/resources/Messages.properties: Added text
used by the cache viewer.
* netx/net/sourceforge/jnlp/cache/CacheDirectory.java,
netx/net/sourceforge/jnlp/cache/DirectoryNode.java,
netx/net/sourceforge/jnlp/controlpanel/CachePane.java,
netx/net/sourceforge/jnlp/controlpanel/CacheViewer.java: New classes.
2010-12-20 Omair Majid <omajid@redhat.com>
* Makefile.am
($(NETX_DIR)/launcher/controlpanel/%.o): Set program name, and launch
net.sourceforge.jnlp.controlpanel.CommandLine.
* netx/net/sourceforge/jnlp/config/Defaults.java
(getDefaults): Set descriptions to Unknown rather than the name.
Set source to localized form of internal.
* netx/net/sourceforge/jnlp/config/DeploymentConfiguration.java
(getProperty): Check for nulls.
(setProperty): Add unknown as description and source for new
properties.
(checkAndFixConfiguration): Fix translation constants.
(parsePropertiesFile): Use unknown as description.
* netx/net/sourceforge/jnlp/controlpanel/CommandLine.java: New file
(CommandLine): New method.
(handleHelpCommand): Likewise.
(printListHelp): Likewise.
(handleListCommand): Likewise.
(printGetHelp): Likewise.
(handleGetCommand): Likewise.
(printSetHelp): Likewise.
(handleSetCommand): Likewise.
(printResetHelp): Likewise.
(handleResetCommand): Likewise.
(printInfoHelp): Likewise.
(handleInfoCommand): Likewise.
(printCheckHelp): Likewise.
(handleCheckCommand): Likewise.
(handle): Likewise.
(main): Likewise.
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add
Usage, Unknown, RConfigurationFatal, DCIncorrectValue,
DCSourceInternal, DCUnknownSettingWithName, VVPossibleValues,
CLNoInfo, CLValue, CLValueSource, CLDescription, CLUnknownCommand
CLUnknownProperty, CLNoIssuesFound, CLIncorrectValue,
CLListDescription, CLGetDescription, CLSetDescription,
CLResetDescription, CLInfoDescription, CLCheckDescription and
CLHelpDescription. Remove DCErrorInSetting and
DCUnknownSettingWithVal.
2010-12-17 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/controlpanel/ControlPanel.java
(ControlPanel): Create and add the topPanel.
(createTopPanel): New method. Creates a JPanel to display the
description on top of the Control Panel.
(createNotImplementedPanel): Use the same way to load resource
as createTopPanel to avoid null pointer exceptions.
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add
CPMainDescriptionShort and CPMainDescriptionLong.
2010-12-17 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/security/SecurityWarning.java
(shouldPromptUser): Use full privileges when checking configuration. This
value is not security-sensitive and the method is private.
* netx/net/sourceforge/jnlp/services/ServiceUtil.java
(shouldPromptUser): Likewise.
2010-12-16 Omair Majid <omajid@redhat.com>
RH663680, CVE-2010-4351:
* NEWS: List issue.
* netx/net/sourceforge/jnlp/runtime/JNLPSecurityManager.java:
Make sure SecurityException is thrown if necessary.
2010-12-15 Omair Majid <omajid@redhat.com>
* Makefile.am
(install-exec-local): Install plugin.jar as data. If $(prefix)/jre/bin
exists, then install symlinks to real javaws and itweb-settings binaries
under it.
($(NETX_DIR)/launcher/%.o): Set system property java.icedtea-web.bin to
point to the installed location of the javaws binary.
* netx/net/sourceforge/jnlp/Launcher.java (launchExternal): Use the system
property java.icedtea-web.bin to locate javaws binary.
2010-12-15 Andrew Su <asu@redhat.com>
* /netx/net/sourceforge/jnlp/resources/Messages.properties: Changed
messages for about and JRE.
2010-12-14 Andrew John Hughes <ahughes@redhat.com>
* Makefile.am:
(LAUNCHER_OBJECTS): Add jli_util.o, parse_manifest.o,
version_comp.o, wildcard.o.
(LAUNCEHR_FLAGS): Add -DEXPAND_CLASSPATH_WILDCARDS
as used in build of libjli in OpenJDK.
(LAUNCHER_LINK): Don't link to libjli.
* launcher/jli_util.c,
* launcher/parse_manifest.c,
* launcher/version_comp.c,
* launcher/wildcard.c:
Add source files from OpenJDK6 to match header files
already used.
2010-12-13 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/config/ValueValidator.java: New file.
* netx/net/sourceforge/jnlp/config/BasicValueValidators.java: New
file. Provides methods to get some common validators.
* netx/net/sourceforge/jnlp/config/ConfiguratonValidator.java: New
file. Provides methods to validate a configuration.
* netx/net/sourceforge/jnlp/runtime/DeploymentConfiguration.java:
Moved to config subpackage instead and split off into Setting.java,
DeploymentConfiguration.java and Defaults.java.
* netx/net/sourceforge/jnlp/config/DeploymentConfiguration.java:
Renamed version of original DeploymentConfiguration.
(load): Delegate to load.
(load(boolean)): Load configuration and optionally fix any issues
found.
(checkAndFixConfiguration): New method. Validate all settings and
set them to default values if problems found.
* netx/net/sourceforge/jnlp/config/Setting.java: New file. Based on
ConfigValue which was originally a part of DeploymentConfiguration.
* netx/net/sourceforge/jnlp/config/Defaults.java: New file.
Contains the default configuration settings. Originally from
DeploymentConfiguration.java's loadDefaultProperties.
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add new
messages.
* netx/net/sourceforge/jnlp/Launcher.java: Fix imports.
* netx/net/sourceforge/jnlp/SecurityDesc.java: Likewise.
* netx/net/sourceforge/jnlp/cache/CacheUtil.java: Likewise.
* netx/net/sourceforge/jnlp/controlpanel
/AdvancedProxySettingsDialog.java: Likewise
* netx/net/sourceforge/jnlp/controlpanel
/AdvancedProxySettingsPane.java: Likewise.
* netx/net/sourceforge/jnlp/controlpanel/ControlPanel.java: Likewise
* netx/net/sourceforge/jnlp/controlpanel/DebuggingPanel.java:
Likewise.
* netx/net/sourceforge/jnlp/controlpanel/DesktopShortcutPanel.java:
Likewise.
* netx/net/sourceforge/jnlp/controlpanel/MiddleClickListener.java:
Likewise
* netx/net/sourceforge/jnlp/controlpanel/NetworkSettingsPanel.java:
Likewise.
* netx/net/sourceforge/jnlp/controlpanel/SecuritySettingsPanel.java:
Likewise.
* netx/net/sourceforge/jnlp/controlpanel
/TemporaryInternetFilesPanel.java:Likewise.
* netx/net/sourceforge/jnlp/runtime/ApplicationInstance.java:
Likewise.
* netx/net/sourceforge/jnlp/runtime/JNLPProxySelector.java:
Likewise.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java: Likewise.
* netx/net/sourceforge/jnlp/security/KeyStores.java: Likewise.
* netx/net/sourceforge/jnlp/security/SecurityWarning.java: Likewise.
* netx/net/sourceforge/jnlp/services/ServiceUtil.java: Likewise.
* netx/net/sourceforge/jnlp/services/SingleInstanceLock.java:
Likewise.
* netx/net/sourceforge/jnlp/services/XBasicService.java: Likewise
* netx/net/sourceforge/jnlp/services/XPersistenceService.java:
Likewise.
* netx/net/sourceforge/jnlp/util/XDesktopEntry.java: Likewise.
* plugin/icedteanp/java/sun/applet/JavaConsole.java: Likewise.
* plugin/icedteanp/java/sun/applet/PluginMain.java: Likewise.
2010-12-13 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/Parser.java
(getInformationDesc): Fix whitespace in title, vendor and description
elements.
(getRelatedContent): Fix whitespace in title and description elements.
(getSpanText(Node)): Delegate to ...
(getSpanText(Node,boolean)): New method. Return the text in an element,
optionally fixing whitespace.
2010-12-10 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/tools/JarSigner.java: Remove unused variables
collator, VERSION, IN_KEYSTORE, IN_SCOPE, privateKey, store, keystore,
nullStream, token, jarfile, alias, storepass, protectedPath, storetype,
providerName, providers, providerArgs, keypass, sigfile, sigalg,
digestalg, signedjar, tsaUrl, tsaAlias, verify, debug, signManifest and
externalSF.
(getPublisher): Remove unnecessary cast.
(getRoot): Likewise.
2010-12-08 Deepak Bhole <dbhole@redhat.com>
PR597: Entities are parsed incorrectly in PARAM tag in applet plugin
* plugin/icedteanp/IcedTeaNPPlugin.cc
(encode_string): New function. Takes a string and replaces certain special
characters with html escapes.
(plugin_create_applet_tag): Use the new encode_string function to encode
argn and argv right away, rather than encoding the whole tag.
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java
(handleMessage): Move decoding out so that it is done after parsing.
(decodeString): New function. Decodes the given string such that html
escapes are replaced by the original special characters.
(scanTag): Decode parameter name and value before adding it to attribute
array.
* NEWS: Updated.
2010-12-08 Omair Majid <omajid@redhat.com>
* configure.ac: Add check for sun.misc.HexDumpEncoder
* netx/net/sourceforge/jnlp/security/CertsInfoPane.java: Import
sun.misc.HexDumpEncoder. Remove import of net.sourceforge.jnlp.tools.*
* netx/net/sourceforge/jnlp/tools/CharacterEncoder.java: Remove file.
* netx/net/sourceforge/jnlp/tools/HexDumpEncoder.java: Remove file.
2010-12-08 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/JNLPFile.java
(getSupportedVersions): Remove method.
* netx/net/sourceforge/jnlp/Parser.java: Remove supportedVersions.
(Parser(JNLPFile,URL,Node,boolean,boolean)): Remove check for supported
version.
(getSupportedVersions): Remove method.
* netx/net/sourceforge/jnlp/resources/Messages.properties:
Remove PSpecUnsupported.
2010-12-08 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/tools/JarRunner.java: Remove unused class.
* netx/net/sourceforge/jnlp/tools/JarSignerResources.java: Remove unused
class.
2010-12-07 Andrew John Hughes <ahughes@redhat.com>
* netx/net/sourceforge/jnlp/InformationDesc.java,
(InformationDesc(JNLPFile,Locale)): Correct @param tag.
* netx/net/sourceforge/jnlp/JARDesc.java:
(JARDesc(URL,Version,String,boolean,boolean,boolean,boolean)):
Correct typo and add missing @param tag for cacheable.
* netx/net/sourceforge/jnlp/JREDesc.java:
(JREDesc(Version,URL,String,String,String,List)): Correct typo
in @param tag.
* netx/net/sourceforge/jnlp/Launcher.java:
(Launcher(boolean)): Correct broken @param tag.
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java:
(addDownloadListener(DownloadListener)): Remove broken @param tags.
Add correct one.
(removeDownloadListener(DownloadListener)): Add missing @param tag.
* netx/net/sourceforge/jnlp/security/KeyStores.java:
(getKeyStoreLocation(Level,Type)): Add content to @param and @return tags.
(toTranslatableString(Level,Type)): Likewise.
* netx/net/sourceforge/jnlp/security/PasswordAuthenticationDialog.java:
(askUser(String,int,String,String)): Correct typo in @param tag.
* netx/net/sourceforge/jnlp/security/SecurityDialogPanel.java:
(createSetValueListener(SecurityWarningDialog,int)): Add content to @return tag.
* netx/net/sourceforge/jnlp/security/SecurityWarningDialog.java:
(showCertInfoDialog(CertVerifier,SecurityWarningDialog)): Remove broken
@param tag and add correct ones.
(showSingleCertInfoDialog(X509Certificate,JDialog)): Add content to @param tags.
* netx/net/sourceforge/jnlp/tools/CharacterEncoder.java:
Remove broken @see tags from import from OpenJDK.
* netx/net/sourceforge/jnlp/util/FileUtils.java:
Fix bad whitespace.
(sanitizeFileName(String)): Fix @param tag.
* netx/net/sourceforge/nanoxml/XMLElement.java:
Fix example in class documentation.
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java,
(waitForAppletInit(NetxPanel)): Fix @param tag.
2010-12-08 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/tools/KeyTool.java: Remove unused class.
2010-12-07 Andrew Su <asu@redhat.com>
* MiddleClickListener.java: Added copyright header. Corrected typo in
javadoc.
2010-12-07 Omair Majid <omajid@redhat.com>
* Makefile.am
(PLUGIN_VERSION): Change to IcedTea-Web
($(PLUGIN_DIR)/%.o): Define PLUGIN_NAME and PACKAGE_URL.
* configure.ac
(AC_INTIT): Add url.
* plugin/icedteanp/IcedTeaNPPlugin.cc
(PLUGIN_NAME): Removed.
(PLUGIN_FULL_NAME): New definition.
(PLUGIN_DESC): Add link to IcedTea-Web wiki page.
(NP_GetValue): Return PLUGIN_FULL_NAME instead of PLUGIN_NAME.
2010-12-06 Deepak Bhole <dbhole@redhat.com>
Fixed indentation and spacing for all .java files
* .settings/org.eclipse.jdt.core.prefs: New file. Contains code style
preference settings for Eclipse.
* .settings/org.eclipse.jdt.ui.prefs: Same.
2010-12-03 Andrew John Hughes <ahughes@redhat.com>
* netx/net/sourceforge/jnlp/cache/CacheUtil.java,
(getCachedResource(URL,Version,UpdatePolicy)):
Revert change to use toURI() for now.
See http://mail.openjdk.java.net/pipermail/distro-pkg-dev/2010-December/011270.html
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java,
(getCacheURL(URL)): Likewise.
* netx/net/sourceforge/jnlp/runtime/Boot.java,
(getFile()): Use toURI.toURL() to avoid broken escaping.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
(initializeResources()): Likewise.
2010-12-01 Andrew John Hughes <ahughes@redhat.com>
* netx/net/sourceforge/jnlp/cache/CacheUtil.java:
(getCachedResource(URL,Version,UpdatePolicy)): Use
toURI().toURL() to avoid broken escaping.
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java:
(getCacheURL(URL)): Likewise.
* netx/net/sourceforge/jnlp/runtime/ApplicationInstance.java:
(destroy()): Suppress deprecated warning from use of thread.stop().
Only use when interrupt() has already been tried.
* netx/net/sourceforge/jnlp/runtime/Boot.java:
(getFile()): Use toURI.toURL() to avoid broken escaping.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
(initializeResources()): Likewise.
* netx/net/sourceforge/jnlp/security/PasswordAuthenticationDialog.java:
(askUser(String,int,String,String)): Use getPassword() to retrieve
a character array directly. Fix overrunning line.
* netx/net/sourceforge/jnlp/tools/JarSigner.java:
Remove unused IdentityScope variable, scope.
* netx/net/sourceforge/nanoxml/XMLElement.java:
(scanWhitespace(StringBuffer)): Don't fallthrough.
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc:
Fix warnings where std::string is used in printf
rather than char* by invoking c_str on these strings.
* plugin/icedteanp/java/netscape/javascript/JSException.java:
(JSException()): Mark with @Deprecated annotation.
(JSException(String)): Likewise.
(JSException(String,String,int,String,int)): Likewise.
* plugin/icedteanp/java/netscape/javascript/JSObject.java:
(JSObject(String)): Remove redundant cast.
(getWindow(Applet)): Likewise.
* plugin/icedteanp/java/sun/applet/AppletSecurityContextManager.java:
(contexts): Initialise properly with generic typing.
* plugin/icedteanp/java/sun/applet/MethodOverloadResolver.java:
(getMatchingMethod(Object[]): Add missing generic type to Class
instances.
(getMatchingConstructor(Object[])): Likewise.
(getCostAndCastedObject(Object,Class<?>)): Likewise.
(getMatchingMethods(Class<?>,String,int)): Likewise.
(getMatchingConstructors(Class<?>,int)): Likewise.
(getNum(String,Class<?>)): Likewise.
* plugin/icedteanp/java/sun/applet/PluginAppletSecurityContext.java:
(parseCall(String,ClassLoader,Class<V>)): Use c.cast rather than (V).
(handleMessage(int,String,AccessControlContext,String)): Add
missing generic type to Class instances. Remove redundant casts.
(prepopulateField(int,String)): Add missing generic type to Class instance.
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java:
(createPanel(PluginStreamHandler,int,long,URL,Hashtable<String,String>)):
Add missing generic types on Hashtable and PrivilegedAction.
(initEventQueue(AppletPanel)): Add missing generic type to PrivilegedAction.
(splitSeparator(String,String)): Use an ArrayList rather than Vector
to avoid locking and use generic types.
(requests): Initialise properly with generic typing.
(applets): Likewise.
(appletStateChanged(AppletEvent)): Use setSize and getPreferredSize.
(handleMessage(int,String)): Remove redundant casts.
(audioClips): Add generic types.
(getAudioClip): Remove redundant cast.
(imageRefs): Add generic types.
(getCachedImageRef(URL)): Remove redundant cast.
(appletPanels): Add generic types.
(getApplets()): Likewise.
(getStream(String)): Mark with @Override.
(getStreamKeys()): Likewise.
(systemParam): Add generic types.
(printTag(PrintStream,Hashtable<String,String>)): Likewise.
Remove redundant casts.
(updateAtts()): Use getSize() and getInsets(). Use Integer.valueOf().
(appletReload()): Add generic types to PrivilegedAction.
(scanIdentifier(int[],Reader)): Use StringBuilder to avoid unnecessary
locking.
(skipComment(int[],Reader)): Likewise.
(scanTag(int[],Reader)): Likewise. Add generic types.
(parse(int,long,String,String,Reader,URL)): Use PrivilegedExceptionAction
to avoid catching and rethrowing the exception manually. Add generic types.
(parse(int,long,String,String,Reader,URL,PrintStream,PluginAppletPanelFactory)):
Add generic types. Remove unnecessary casts. Fix overlong lines.
* plugin/icedteanp/java/sun/applet/PluginMain.java:
(init()): Add generic types. Remove unnecessary cast.
* plugin/icedteanp/java/sun/applet/PluginObjectStore.java:
(objects): Initialise properly with generic typing.
(counts): Likewise.
(identifiers): Likewise.
* plugin/icedteanp/java/sun/applet/PluginProxySelector.java:
(get(Object)): Suppress unchecked warning arising from cast to K.
2010-12-02 Omair Majid <omajid@redhat.com>
* Makefile.am (EXTRA_DIST): Add itweb-settings.desktop.in.
(all-local): Add itweb-settings.desktop.
(clean-desktop-files): Remove itweb-settings.desktop.
(itweb-settings.desktop): New target.
* itweb-settings.desktop.in: New file.
2010-12-01 Andrew John Hughes <ahughes@redhat.com>
* acinclude.m4:
(IT_CHECK_FOR_APPLETVIEWERPANEL_HOLE):
New check to ensure sun.applet.AppletViewerPanel
is public (via the patch in IcedTea, applet_hole.patch).
* configure.ac: Invoke the above macro. Don't call
IT_CHECK_FOR_CLASS for the same class (the above macro
handles this too).
* README: Mention this limitation.
2010-12-01 Andrew Su <asu@redhat.com>
* NEWS: Added controlpanel for modifying deployments.properties
* Makefile.am:
(CONTROLPANEL_LAUNCHER_OBJECTS): Objects used to compile binary
control panel.
(all-local): Add $(NETX_DIR)/launcher/controlpanel/itw-settings.
(install-exec-local): Install the control panel binary.
(uninstall-local): Removes the compiled control panel binary.
($(NETX_DIR)/launcher/controlpanel/%.o): Create the launcher objects.
($(NETX_DIR)/launcher/controlpanel/itw-settings): Link the objects to
make the launcher.
* netx/net/sourceforge/jnlp/controlpanel/AboutPanel.java,
* netx/net/sourceforge/jnlp/controlpanel/ComboItem.java,
* netx/net/sourceforge/jnlp/controlpanel/ControlPanel.java,
* netx/net/sourceforge/jnlp/controlpanel/DebuggingPanel.java,
* netx/net/sourceforge/jnlp/controlpanel/DesktopShortcutPanel.java,
* netx/net/sourceforge/jnlp/controlpanel/JREPanel.java,
* netx/net/sourceforge/jnlp/controlpanel/NamedBorderPanel.java,
* netx/net/sourceforge/jnlp/controlpanel/MiddleClickListener.java,
* netx/net/sourceforge/jnlp/controlpanel/SecuritySettingsPanel.java,
* netx/net/sourceforge/jnlp/controlpanel/TemporaryInternetFilesPanel.java,
* netx/net/sourceforge/jnlp/controlpanel/AdvancedProxySettingsDialog.java,
* netx/net/sourceforge/jnlp/controlpanel/AdvancedProxySettingsPane.java,
* netx/net/sourceforge/jnlp/controlpanel/NetworkSettingsPanel.java,:
New classes. All methods are new as well.
* netx/net/sourceforge/jnlp/resources/Messages.properties: Added
messages used by control panel.
* netx/net/sourceforge/jnlp/security/viewer/CertificatePane.java:
Changed to not display a close button if null parent frame.
2010-11-30 Andrew John Hughes <ahughes@redhat.com>
* Makefile.am:
(liveconnect): Add NETX_DIR first on the bootclasspath
so the plugin can be built against 1.7 and 1.8
branch releases of IcedTea6.
2010-11-26 Andrew John Hughes <ahughes@redhat.com>
Make distcheck work.
* Makefile.am:
(EXTRA_DIST): Use relative paths for netx
and the plugin.
(clean-local): Remove empty stamps directory.
(install-exec-local): Use install to install
programs and data with the correct permissions.
(install-data-local): Likewise.
(uninstall-local): Remove documentation.
(netx): Use ${INSTALL_DATA} to add resources so
that read-only files aren't copied.
(extra-files): Likewise.
($(NETX_DIR)/launcher/javaws): Don't create empty launcher
directory.
(clean-docs): Remove empty docs directory.
(clean-bootstrap-directory): Remove empty bootstrap
directory.
2010-11-29 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java
(createPanel): Call the new framePanel() method with the proper handle.
(framePanel): New method, renamed from reFrame. Changed to now do one-time
framing of panel into the plugin.
(handleMessage): Don't re-frame the panel. Panel is now framed only once.
(destroyApplet): Dispose the frame right away, and try to remove the panel
if possible. If not, handleMessage() will do it when the panel is
ready/removable.
2010-11-25 Andrew John Hughes <ahughes@redhat.com>
* Makefile.am:
(JDK_UPDATE_VERSION): Document.
(NETX_PKGS): NetX packages for documentation.
(PLUGIN_PKGS): Same for the plugin.
(JAVADOC_OPTS): Common options passed to javadoc.
(JAVADOC_MEM_OPTS): Memory options passed to JVM
if possible (taken from the previous OpenJDK build).
(all-local): Depend on docs.stamp.
(clean-local): Add clean-docs.
(.PHONY): Add clean-docs, clean-plugin-docs, clean-netx-docs.
(install-exec-local): Install the documentation if enabled.
(docs): Meta-dependency for netx-docs and plugin-docs.
(clean-docs): Likewise but for clean targets.
(netx-docs): Build documentation for the NetX API.
(clean-netx-docs): Remove the NetX docs.
(plugin-docs): Build documentation for the plugin API.
(clean-plugin-docs): Likewise.
(bootstrap-directory): Link to javadoc binary.
* acinclude.m4:
(IT_FIND_JAVADOC): Find a javadoc binary, first checking
user input, then the JDK and the path for 'javadoc' and
'gjdoc'. Also sets JAVADOC_SUPPORTS_J_OPTIONS if it does.
* configure.ac:
Call IT_FIND_JAVADOC.
2010-11-25 Omair Majid <omajid@redhat.com>
* Makefile.am (stamps/liveconnect.stamp): Set a bootclasspath to
avoid using an older netx.jar during compilation.
2010-11-24 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/util/FileUtils.java
(createRestrictedDirectory): New method. Creates a directory with reduced
permissions.
(createRestrictedFile(File,boolean)): New method. Creates a file with reduced
permissions.
(createRestrictedFile(File,boolean,boolean): New method. Creates a file or
a directory with reduced permissions.
* netx/net/sourceforge/jnlp/Launcher.java
(markNetxRunning): Do not grant unnecessary file permissions.
* netx/net/sourceforge/jnlp/runtime/Boot.java: Remove umask from
help message.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(activateNative): Create file with proper permissions.
(getNativeDir): Create directory with proper permissions.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java
(initializeStreams): Create files with proper permissions.
* netx/net/sourceforge/jnlp/security/CertWarningPane.java
(CheckBoxListener.actionPerformed): Likewise.
* netx/net/sourceforge/jnlp/security/KeyStores.java
(createKeyStoreFromFile): Likewise.
* netx/net/sourceforge/jnlp/security/viewer/CertificatePane.java
(ImportButtonListener.actionPerformed): Likewise.
(RemoveButtonListener.actionPerformed): Likewise.
* netx/net/sourceforge/jnlp/services/SingleInstanceLock.java
(createWithPort): Likewise.
(getLockFile): Likewise.
* netx/net/sourceforge/jnlp/services/XExtendedService.java
(openFile): Likewise.
* netx/net/sourceforge/jnlp/services/XPersistenceService.java
(create): Likewise.
* netx/net/sourceforge/jnlp/util/XDesktopEntry.java
(installDesktopLauncher): Likewise.
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add
CantCreateFile, RCantCreateDir and RCantRename. Remove BNoBase and
BOUmask.
2010-11-24 Deepak Bhole <dbhole@redhat.com>
Fix PR593: Increment of invalidated iterator in IcedTeaPluginUtils (patch
from barbara.xxx1975@libero.it)
* plugin/icedteanp/IcedTeaPluginUtils.cc
(invalidateInstance): Act on the pointer directly, rather than via
members.
* NEWS: Updated.
2010-11-24 Deepak Bhole <dbhole@redhat.com>
Fix PR552: Support for FreeBSD's pthread implementation (patch from
jkim@freebsd.org)
* plugin/icedteanp/IcedTeaNPPlugin.cc
(NP_Shutdown): Do pthread_join after cancel to avoid destroying mutexes
or condition variables in use.
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc
(PluginRequestProcessor): Initialize mutexes dynamically.
(queue_cleanup): New method. Destroy dynamically created mytexes.
(queue_processor): Initialize wait_mutex and push cleanup on exit. Clean
up after processing stops.
2010-11-24 Andrew John Hughes <ahughes@redhat.com>
* NEWS: Bring in changes from IcedTea6 1.10
NEWS (now redundant there) and apply same structure
as in IcedTea6.
2010-11-24 Omair Majid <omajid@redhat.com>
CVE-2010-3860 IcedTea System property information leak via public static
* netx/net/sourceforge/jnlp/runtime/Boot.java: Remove basedir
option. Add NETX_ABOUT_FILE.
(run): Remove call to JNLPRuntime.setBaseDir.
(getAboutFile): Use the constant in this file, not JNLPRuntime.
(getBaseDir): Remove obsolete method.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java: Remove
baseDir, USER, HOME_DIR, NETXRC_FILE, NETX_DIR, SECURITY_DIR,
CERTFICIATES_FILE, JAVA_HOME_DIR, NETX_ABOUT_FILE.
(initialize): Do not set baseDir.
(getBaseDir): Remove method.
(setBaseDir): Likewise.
(getDefaultBaseDir): Likewise.
(getProperties): Likewise.
* netx/net/sourceforge/jnlp/security/SecurityUtil.java
(getTrustedCertsFilename): Delegate to
KeyStores.getKeyStoreLocation.
* plugin/icedteanp/java/sun/applet/PluginAppletSecurityContext.java
(PluginAppletSecurityContext): Remove call to obsolete method.
2010-11-24 Omair Majid <omajid@redhat.com>
Fix PR592.
* netx/net/sourceforge/jnlp/util/XDesktopEntry.java
(getContentsAsReader): Sanitize information before adding to desktop file.
(sanitize): New method. Ensure that there are no newlines in input.
2010-11-24 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add
CVCertificateType.
* netx/net/sourceforge/jnlp/security/viewer/CertificatePane.java: Use
CVCertificateType instead of hardcoded string.
2010-11-24 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/SecurityDesc.java: Add grantAwtPermissions.
(SecurityDesc): Set grantAwtPermissions.
(getSandboxPermissions): Use grantAwtPermissions to determine whether to
grant permissions.
2010-11-24 Matthias Klose <doko@ubuntu.com>
* Makefile.am (javaws.desktop): Search javaws.desktop.in in $(srcdir).
2010-11-24 Matthias Klose <doko@ubuntu.com>
* Makefile.am (LAUNCHER_LINK): Don't explicitely link with -lc,
link with -pthread instead of -lpthread.
(LAUNCHER_FLAGS): Add -pthread.
2010-11-24 Chris Coulson <chris.coulson@canonical.com>
* Makefile.am (pluginappletviewer, javaws):
Fix linking with --as-needed.
2010-11-23 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/DeploymentConfiguration.java:
Add KEY_PROXY_TYPE, KEY_PROXY_SAME, KEY_PROXY_AUTO_CONFIG_URL,
KEY_PROXY_BYPASS_LIST, KEY_PROXY_BYPASS_LOCAL, KEY_PROXY_HTTP_HOST,
KEY_PROXY_HTTP_PORT, KEY_PROXY_HTTPS_HOST, KEY_PROXY_HTTPS_PORT,
KEY_PROXY_FTP_HOST, KEY_PROXY_FTP_PORT, KEY_PROXY_SOCKS4_HOST,
KEY_PROXY_SOCKS4_PORT, and KEY_PROXY_OVERRIDE_HOSTS.
(loadDefaultProperties): Use the new constants.
* netx/net/sourceforge/jnlp/runtime/JNLPProxySelector.java: New
class.
(JNLPProxySelector): New method.
(parseConfiguration): New method. Initializes this object by
querying the configuration.
(getHost): New method.
(getPort): New method.
(connectFailed): New method.
(select): New method. Returns a list of appropriate proxies to use
for a given uri.
(inBypassList): New method. Return true if the host in the URI
should be bypassed for proxy purposes.
(isLocalHost): New method.
(getFromConfiguration): New method. Finds a proxy based on
configuration.
(getFromPAC): New method.
(getFromBrowser): New method.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java
(initialize): Install proxy selector and authenticator.
* plugin/icedteanp/java/sun/applet/PluginMain.java
(init): Do not install authenticator.
(CustomAuthenticator): Moved to...
* netx/net/sourceforge/jnlp/security/JNLPAuthenticator.java: Here.
* plugin/icedteanp/java/sun/applet/PasswordAuthenticationDialog.java
Moved to...
* netx/net/sourceforge/jnlp/security
/PasswordAuthenticationDialog.java: Here.
* plugin/icedteanp/java/sun/applet/PluginProxySelector.java: Extend
JNLPProxySelector.
(select): Renamed to...
(getFromBrowser): New method.
2010-11-19 Omair Majid <omajid@redhat.com>
* Makefile.am (EXTRA_DIST): Replace javaws.desktop with
javaws.desktop.in. (all-local): Add javaws.desktop. (clean-local):
Add dependency on clean-desktop-files. (.PHONY): Add clean-desktop-
files. (clean-desktop-files): New target. (javaws.desktop): New
target. Use the absolute path to javaws binary in the Exec= line to
create the javaws.desktop file.
* javaws.desktop: Renamed to...
* javaws.desktop.in: New file. Does not contain Encoding key. Value
for Icon does not contain extension.
* netx/net/sourceforge/jnlp/util/XDesktopEntry.java
(JAVA_ICON_NAME): Set to icon name without the extension.
2010-11-18 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/SecurityDesc.java: Remove window banner
permissions from sandboxPermissions and j2eePermissions.
(getSandBoxPermissions): Dynamically add window banner permissions
if allowed by configuration.
* netx/net/sourceforge/jnlp/runtime/DeploymentConfiguration.java:
Add KEY_SECURITY_PROMPT_USER,
KEY_SECURITY_ALLOW_HIDE_WINDOW_WARNING,
KEY_SECURITY_PROMPT_USER_FOR_JNLP, and
KEY_SECURITY_INSTALL_AUTHENTICATOR.
(loadDefaultProperties): Use the new constants.
* netx/net/sourceforge/jnlp/security/SecurityWarning.java
(showAccessWarningDialog): Check if the user should be prompted
before prompting the user.
(showNotAllSignedWarningDialog): Likewise.
(showCertWarningDialog): Likewise.
(showAppletWarning): Likewise.
(shouldPromptUser): New method. Check if configuration allows
showing user prompts.
* netx/net/sourceforge/jnlp/services/ServiceUtil.java
(checkAccess(AccessType,Object...)): Clarify javadocs.
(checkAccess(ApplicationInstance,AccessType,Object...)): Clarify
javadocs. Only prompt the user if showing JNLP prompts is ok.
(shouldPromptUser): New method. Returns true if configuration allows
for showing JNLP api prompts.
* plugin/icedteanp/java/sun/applet/PluginMain.java
(init): Only install custom authenticator if allowed by
configuration.
2010-11-18 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/DeploymentConfiguration.java:
Add KEY_ENABLE_LOGGING.
(loadDefaultProperties): Use KEY_ENABLE_LOGGING.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java: Add
redirectStreams, STDERR_FILE and STDOUT_FILE.
(initialize): Call initializeStreams.
(initializeStreams): New method. Redirects or duplicates stdout and
stderr to the logging files as required.
(setRedirectStreams): New method. Sets whether stdout/stderr streams
should be redirected.
* plugin/icedteanp/java/sun/applet/PluginMain.java:
(PluginMain): Move code for creating logging files into JNLPRuntime.
Call JNLPRuntime.setRedirectStreams to redirect streams.
(TeeOutputStream): Move to its own class.
* netx/net/sourceforge/jnlp/util/TeeOutputStream.java: Moved from
PluginMain into this new class.
2010-11-18 Omair Majid <omajid@redhat.com>
* NEWS: Update with new interfaces
* netx/javax/jnlp/DownloadService2.java: New interface.
(ResourceSpec): New class.
(ResourceSpec.ResourceSpec): New method.
(ResourceSpec.getExpirationDate): New method.
(ResourceSpec.getLastModified): New method.
(ResourceSpec.getSize): New method.
(ResourceSpec.getType): New method.
(ResourceSpec.getUrl): New method.
(ResourceSpec.getVersion): New method.
(getCachedResources): New method.
(getUpdateAvaiableReosurces): New method.
* netx/javax/jnlp/IntegrationService.java: New interface.
(hasAssociation): New method.
(hasDesktopShortcut): New method.
(hasMenuShortcut): New method.
(removeAssociation): New method.
(removeShortcuts): New method.
(requestAssociation): New method.
(requestShortcut): New method.
2010-11-16 Andrew Su <asu@redhat.com>
* netx/net/sourceforge/jnlp/runtime/DeploymentConfiguration.java:
Corrected typo in one of the default values.
2010-11-11 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/Boot.java (main): Move trust
manager initialization code into JNLPRuntime.initialize.
* plugin/icedteanp/java/sun/applet/PluginMain.java
(init): Likewise.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java (initialize):
Set the default SSL TrustManager here.
* netx/net/sourceforge/jnlp/security/CertWarningPane.java
(CheckBoxListener.actionPerformed): Add this certificate into
user's trusted certificate store.
* netx/net/sourceforge/jnlp/tools/KeyTool.java
(addToKeyStore(File,KeyStore)): Move to CertificateUtils.
(addToKeyStore(X509Certificate,KeyStore)): Likewise.
(dumpCert): Likewise.
* netx/net/sourceforge/jnlp/security/CertificateUtils.java: New
class.
(addToKeyStore(File,KeyStore)): Moved from KeyTool.
(addToKeyStore(X509Certificate,KeyStore)): Likewise.
(dumpCert): Likewise.
(inKeyStores): New method.
* netx/net/sourceforge/jnlp/security/HttpsCertVerifier.java
(getRootInCacerts): Check all available CA store to check if
root is in CA certificates.
* netx/net/sourceforge/jnlp/security/KeyStores.java
(getKeyStore(Level,Type,boolean)): Add security check.
(getClientKeyStores): New method.
* netx/net/sourceforge/jnlp/security/VariableX509TrustManager.java
(VariableX509TrustManager): Initialize multiple CA, certificate and
client trust managers.
(checkClientTrusted): Check all the client TrustManagers if
certificate is trusted.
(checkAllManagers): Check multiple CA certificates and trusted
certificates to determine if the certificate chain can be trusted.
(isExplicitlyTrusted): Check with multiple TrustManagers.
(getAcceptedIssuers): Gather results from multiple TrustManagers.
* netx/net/sourceforge/jnlp/security/viewer/CertificatePane.java
(ImportButtonListener): Use CertificateUtils instead of KeyTool.
* netx/net/sourceforge/jnlp/tools/JarSigner.java
(checkTrustedCerts): Use multiple key stores to check if certificate
is directly trusted and if the root is trusted.
2010-11-09 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/resources/Messages.properties: Add
ButAllow, ButClose, ButCopy, ButMoreInformation, ButProceed,
ButRun, AlwaysAllowAction, Continue, Field, From, Name, Publisher,
Value, Version, SNoAssociatedCertificate, SAlwaysTrustPublisher,
SHttpsUnverified, SNotAllSignedSummary, SNotAllSignedDetail,
SNotAllSignedQuestion, SCertificateDetails, SIssuer, SSerial,
SMD5Fingerprint, SSHA1Fingerprint, SSignature, SSignatureAlgorithm,
SSubject, SValidity, CVCertificateViewer, CVDetails, CVIssuedTo,
CVExport, CVImport, CVIssuedBy, IssuedTo, CVRemove,
CVRemoveConfirmMessage,CVRemoveConfirmTitle, CVUser, CVSystem,
KS, KSCerts, KSJsseCerts, KSCaCerts, KSJsseCaCerts, and
KSClientCerts.
* netx/net/sourceforge/jnlp/security/AccessWarningPane.java
(addComponents): Use localized strings.
* netx/net/sourceforge/jnlp/security/CertWarningPane.java
(addComponents): Likewise.
* netx/net/sourceforge/jnlp/security/CertsInfoPane.java
(parseCert): Likewise.
(addComponents): Likewise.
* netx/net/sourceforge/jnlp/security/MoreInfoPane.java
(addComponents): Likewise.
* netx/net/sourceforge/jnlp/security/NotAllSignedWarningPane.java
(addComponents): Likewise.
* netx/net/sourceforge/jnlp/security/viewer/CertificatePane.java:
Likewise.
(addComponents): Likewise.
(CertificateType.toString): Likewise.
(RemoveButtonListener.actionPerformed): Likewise.
2010-11-05 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/DeploymentConfiguration.java:
Add KEY_BROWSER_PATH.
(loadDefaultProperties): Use KEY_BROWSER_PATH.
* netx/net/sourceforge/jnlp/services/XBasicService.java
(initialize): Use the browser command from the configuration.
Save updates to configuration as well.
2010-11-05 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/ShortcutDesc.java: Change prefixes from
SHORTCUT_ to CREATE_.
* netx/net/sourceforge/jnlp/runtime/ApplicationInstance.java
(addMenuAndDesktopEntries): Call shouldCreateShortcut to find out
if shortcut should be created. Remove call to checkAccess which
does nothing as the entire stack contains trusted classes.
(shouldCreateShortcut): New method. Use the configuration to find
out if a shorcut should be created, and possibly prompt the user.
* netx/net/sourceforge/jnlp/runtime/DeploymentConfiguration.java:
Add KEY_CREATE_DESKTOP_SHORTCUT.
(loadDefaultProperties): Use KEY_CREATE_DESKTOP_SHORTCUT.
2010-11-08 Omair Majid <omajid@redhat.com>
* Makefile.am (JDK_UPDATE_VERSION): Define variable.
2010-11-04 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/DeploymentConfiguration.java:
Add KEY_USER_TRUSTED_CA_CERTS, KEY_USER_TRUSTED_JSSE_CA_CERTS,
KEY_USER_TRUSTED_CERTS, KEY_USER_TRUSTED_JSSE_CERTS,
KEY_USER_TRUSTED_CLIENT_CERTS, KEY_SYSTEM_TRUSTED_CA_CERTS,
KEY_SYSTEM_TRUSTED_JSSE_CA_CERTS, KEY_SYSTEM_TRUSTED_CERTS,
KEY_SYSTEM_TRUSTED_JSSE_CERTS, KEY_SYSTEM_TRUSTED_CLIENT_CERTS
(loadDefaultProperties): Use the defined constants.
* netx/net/sourceforge/jnlp/security/KeyStores.java: New class.
(getPassword): New method. Return the default password used for
KeyStores.
(getKeyStore(Level,Type)): New method. Returns the appropriate
KeyStore.
(getKeyStore(Level,Type,String)): Likewise.
(getCertKeyStores): New method. Return all the trusted certificate
KeyStores.
(getCAKeyStores): New method. Return all the trusted CA certificate
KeyStores.
(getKeyStoreLocation): New method. Return the location of the
appropriate KeyStore.
(toTranslatableString): New method. Return a string that can be
used to create a human-readable name for the KeyStore.
(toDisplayableString): New method. Return a human-readable name
for the KeyStore.
(createKeyStoreFromFile): New method. Creates a new KeyStore object,
initializing it from the given file if possible.
* netx/net/sourceforge/jnlp/security/viewer/CertificatePane.java
(CertificatePane): Create two JTables. Populate the tables when
done creating the user interface.
(initializeKeyStore): Use the correct keystore.
(addComponents): Do not read KeyStore. Create more interface
elements to show the new possible KeyStores. Mark some buttons to
be disabled when needed.
(repopulateTable): Renamed to...
(repopulateTables): New method. Read KeyStore and use the contents
to create the user and system tables.
(CertificateType): New class.
(CertificateTypeListener): New class. Listens to JComboBox change
events.
(TabChangeListener): New class. Listens to new tab selections.
(ImportButtonListener): Import certificates to the appropriate
KeyStore.
(ExportButtonListener): Find the certificate from the right table.
(RemoveButtonListener): Find the certificate from the right table
and right the KeyStore.
(DetailsButtonListener): Find the certificate from the right table.
* netx/net/sourceforge/jnlp/security/viewer/CertificateViewer.java
(showCertficaiteViewer): Initialize the JNLPRuntime so the
configuration gets loaded.
* netx/net/sourceforge/jnlp/tools/KeyTool.java
(addToKeyStore(File,KeyStore)): New method. Adds certificate from
the file to the KeyStore.
(addToKeyStore(X509Certificate,KeyStore)): New method. Adds a
certificate to a KeyStore.
2010-11-04 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java (update):
Override method and implement double-buffering.
2010-10-28 Andrew John Hughes <ahughes@redhat.com>
* Makefile.am:
(NETX_BOOTSTRAP_CLASSES): Removed.
(PLUGIN_BOOTSTRAP_CLASSES): Likewise.
(NETX_SUN_CLASSES): Likewise.
(PLUGIN_SUN_CLASSES): Likewise.
* acinclude.m4:
(IT_CHECK_FOR_CLASS): Require detection
of javac and java. Put test class in
sun.applet to get access to some internal
classes. Change test to use forName for
the same reason. I expect to be able to
revert this when usage of sun.applet is fixed.
(IT_FIND_JAVA): Ported from IcedTea6. Change
to prioritise 'java' over 'gij'.
* configure.ac:
Add IT_CHECK_FOR_CLASS checks for classes which
are required but not found in JDKs other than
Oracle-based ones. Also check for java.* classes
missing from current versions of gcj but which
may appear there in future.
2010-11-03 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/Launcher.java
(markNetxRunning): Get file name from configuration.
(markNetxStopped): Likewise.
* netx/net/sourceforge/jnlp/cache/CacheUtil.java
(clearCache): Get cache directory from configuration.
(okToClearCache): Get netx_running file from configuration.
(getCacheFile): Get cache directory from configuration.
(urlToPath): Change semantics to take in the full path of the
directory instead of a directory under runtime.
* netx/net/sourceforge/jnlp/runtime/DeploymentConfiguration.java:
Change DEPLOYMENT_DIR to ".icedtea". Add constants
KEY_USER_CACHE_DIR, KEY_USER_PERSISTENCE_CACHE_DIR,
KEY_SYSTEM_CACHE_DIR, KEY_USER_LOG_DIR, KEY_USER_TMP_DIR,
KEY_USER_LOCKS_DIR, and KEY_USER_NETX_RUNNING_FILE.
(load): Use DEPLOYMENT_DIR instead of hardcoded string.
(loadDefaultProperties): Add LOCKS_DIR. Replace strings with
constants. Add new default values for persistence cache directory,
single instance locks directory and the netx_running file.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java: Remove
unneeded TMP_DIR, LOCKS_DIR and NETX_RUNNING_FILE
* netx/net/sourceforge/jnlp/services/SingleInstanceLock.java
(getLockFile): Get locks directory from configuration.
* netx/net/sourceforge/jnlp/services/XPersistenceService.java
(toCacheFile): Get persistence cache directory from configuration.
* netx/net/sourceforge/jnlp/util/XDesktopEntry.java
(getContentsAsReader): Get cache directory from configuration.
(installDesktopLauncher): Get temporary directory from
configuration. Make parent directories if required.
* plugin/icedteanp/java/sun/applet/JavaConsole.java
(initialize): Get log directory from configuration and create the
error and output files under it.
* plugin/icedteanp/java/sun/applet/PluginMain.java:
PLUGIN_STDERR_FILE and PLUGIN_STDOUT_FILE are now just filesnames.
(PluginMain): Use configuration for finding the log directory.
Initialize JNLPRuntime before creating the stderr and stdout logs.
2010-11-01 Omair Majid <omajid@redhat.com>
* Makefile.am (clean-IcedTeaPlugin): Only delete launcher directory if it
exists.
2010-11-01 Deepak Bhole <dbhole@redhat.com>
PR542: Plugin fails with NPE on
http://www.openprocessing.org/visuals/iframe.php?visualID=2615
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(initializeResources): If cacheFile is null (JAR couldn't be downloaded),
try to continue, rather than allowing the exception to cause an abort.
* NEWS: Updated.
2010-11-01 Deepak Bhole <dbhole@redhat.com>
* plugin/docs: Added new docs folder that contains plugin documentation.
* plugin/docs/MessageBusArchitecture.png: Diagram of the JS <-> Java
message handling architectrure.
* plugin/docs/OverallArchitecture.png: Diagram of the overall plugin
architecture.
* plugin/docs/java-js-wf.png: Sequence diagram showing an example
LiveConnect call from an applet to JavaScript/Browser.
* plugin/docs/js-java-wf.png: Sequence diagram showing an example
LiveConnect call from JavaScript/Browser to an applet.
* plugin/docs/npplugin_liveconnect_design.pdf: Slides with notes on the
above diagrams.
2010-10-29 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/JNLPFile.java: Add component.
(getLaunchInfo): Modify javadoc to indicate that it does not return
the ComponentDesc.
(getComponent): Return component instead of launchType.
(isComponent): Check if component is not null.
(parse): Find and set component descriptor.
* netx/net/sourceforge/jnlp/Parser.java
(getLauncher): Remove all checks for component-desc. Allow having
none of application-desc, applet-desc and installer-desc.
(getComponent): Check for more than one component-desc element.
Read and parse the component-desc.
2010-10-28 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/security/SecurityWarningDialog.java
(showMoreInfoDialog): Make dialog modal.
(showCertInfoDialog): Likewise.
(showSingleCertInfoDialog): Likewise.
(initDialog): Use setModality instead of setModal.
2010-10-27 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/IcedTeaNPPlugin.cc (plugin_create_applet_tag): Escape
the entire applet tag, not just the params.
2010-10-27 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/DeploymentConfiguration.java
(load): Do a security check at start. A security exception later on may
accidentally reveal a filename or a system property.
(save): Likewise.
2010-10-26 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/Launcher.java
(doPerApplicationAppContextHacks): New method. Create a new ParserDelegate
to intialize the per AppContext dtd used by Swing HTML controls.
(TgThread.run): Call doPerApplicationAppContextHacks.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java
(initialize): Call doMainAppContextHacks.
(doMainAppContextHacks): New method. Create a new ParserDelegate to
initialize the per AppContext dtd used by Swing HTML controls.
2010-10-26 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/Launcher.java
(launchApplication): Mark main method as accessible before
invoking it.
2010-10-26 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/Parser.java: Add 1.1, 1.2, 1.3 and
1.4 to supportedVersions.
2010-10-26 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/Translator.java
(R(String)): New method.
2010-10-26 Deepak Bhole <dbhole@redhat.com>
* netx/net/sourceforge/jnlp/PluginBridge.java: Trim whitespace from jar
names in the constructor.
2010-10-26 Deepak Bhole <dbhole@redhat.com>
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java:
Replace all status.put calls with calls to updateStatus().
(createPanel): Create a frame with a 0 handle. Use the new
waitForAppletInit function to wait until applet is ready.
(reFrame): Re-order code so that the panel is never parentless.
(handleMessage): Re-wrote message processing to handle destroy calls
correctly, checking for them more often to prevent a frame from popping up
if the tab/page is closed before loading finishes. Decode special
characters in the message.
(updateStatus): New function. Updates the status for the given instance if
applicable.
(destroyApplet): New function. Destroys a given applet and frees related
resources.
(waitForAppletInit): New function. Blocks until applet is initialized.
(parse): Remove part that decoded the params. Decoding is now done earlier
in handleMessage().
* plugin/icedteanp/java/sun/applet/PluginMessageConsumer.java:
(getPriorityStrIfPriority): Mark destroy messages as priority.
(bringPriorityMessagesToFront): Scans the queue for priority messages and
brings them to the front.
(run): If the queue is not empty and there are no workers left, run
bringPriorityMessagesToFront() and retry.
2010-10-26 Andrew Su <asu@redhat.com>
* Makefile.am: Split rm -rf into rm -f and rmdir for launcher
directory.
2010-10-25 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/ShortcutDesc.java:
Add SHORTCUT_NEVER, SHORTCUT_ALWAYS, SHORTCUT_ASK_USER,
SHORTCUT_ASK_USER_IF_HINTED, SHORTCUT_ALWAYS_IF_HINTED,
SHORTCUT_DEFAULT.
* netx/net/sourceforge/jnlp/resources/Messages.properties:
Add RConfigurationError.
* netx/net/sourceforge/jnlp/runtime/DeploymentConfiguration.java:
New file.
(ConfigValue): New class. Holds a configuration value.
(DeploymentConfiguration): New method.
(load): New method.
(getProperty): Likewise.
(getAllPropertyNames): Likewise.
(setProperty): Likewise.
(loadDefaultProperties): Likewise.
(findSystemConfigFile): Likewise.
(loadSystemConfiguration): Likewise.
(loadProperties): Likewise.
(save): Likewise.
(parsePropertiesFile): Likewise.
(mergeMaps): Likewise.
(dumpConfiguration): Likewise.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java:
(initialize): Load configuration.
(getConfiguration): Return the configuration.
2010-10-25 Omair Majid <omajid@redhat.com>
* net/sourceforge/jnlp/ExtensionDesc.java: Import Translator.R and use
that.
* net/sourceforge/jnlp/JNLPFile.java: Import Translator.R.
(R): Remove.
* net/sourceforge/jnlp/JREDesc.java: Import Translator.R.
(checkHeapSize): Use R instead of JNLPRuntime.getMessage.
* net/sourceforge/jnlp/Launcher.java: Import Translator.R.
(R): Remove.
* net/sourceforge/jnlp/Parser.java: Import Translator.R
(R(String)): Remove.
(R(String,Object)): Remove.
(R(String,Object,Object)): Remove.
(R(String,Object,Object,Object)): Remove.
* net/sourceforge/jnlp/cache/CacheEntry.java: Import Translator.R
(CacheEntry): Use R instead of JNLPRuntime.getMessage.
* net/sourceforge/jnlp/cache/CacheUtil.java: Import Translator.R
(R(String)): Remove.
(R(String,Object)): Remove.
* net/sourceforge/jnlp/cache/DefaultDownloadIndicator.java: Import
Translator.R and use that instead of JNLPRuntime.getMessage.
* net/sourceforge/jnlp/runtime/Boot.java: Import Translator.R.
(R(String)): Remove.
(R(String, Object)): Remove.
(run): Use R instead of JNLPRuntime.getMessage.
* net/sourceforge/jnlp/runtime/JNLPClassLoader.java: Import Translator.R.
(R): Remove.
* net/sourceforge/jnlp/runtime/JNLPSecurityManager.java: Import
Translator.R. Use it instead of JNLPRuntime.getMeesage.
(R): Remove.
* net/sourceforge/jnlp/security/AccessWarningPane.java: Import
Translator.R.
* net/sourceforge/jnlp/security/CertWarningPane.java: Likewise.
* net/sourceforge/jnlp/security/HttpsCertVerifier.java: Import
Translator.R.
(R(String)): Remove.
(R(String,String,String)): Remove.
* net/sourceforge/jnlp/security/MoreInfoPane.java: Import Translator.R.
* net/sourceforge/jnlp/security/SecurityDialogPanel.java
(R(String)): Remove.
(R(String,Object)): Remove.
* net/sourceforge/jnlp/services/ServiceUtil.java
(R): Remove.
* net/sourceforge/jnlp/services/SingleInstanceLock.java: Import
Translator.R
(R(String)): Remove.
(R(String,Object)): Remove.
* net/sourceforge/jnlp/tools/JarSigner.java: Import Translator.R.
(R): Remove.
* net/sourceforge/jnlp/runtime/Translator.java: New file
(R(String,Object...)): New method.
2010-10-25 Andrew Su <asu@redhat.com>
* Makefile.am:
(clean-IcedTeaPlugin): Remove launcher folder first.
(clean-plugin): Removed called to remove launcher folder
2010-10-22 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/NetxPanel.java
(runLoader): Do not initialize JNLPRuntime here.
(createAppletThreads): Initialize JNLPRuntim here.
* netx/net/sourceforge/jnlp/runtime/ApplicationInstance.java:
Switch from SecurityWarningDialog.AccessType to
SecurityWarning.AccessType.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(getInstance(JNLPFile,UpdatePolicy)): Switch to SecurityWarning.
(initializeResources): Likewise.
(checkTrustWithUser): Likewise.
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java:
Add securityDialogMesasgeHandler.
(initialize): Set System look and feel. Start security thread.
(startSecurityThread): New method. Starts a thread to show security
dialogs.
(getSecurityDialogHandler): Returns the securityDialogMessageHandler.
* netx/net/sourceforge/jnlp/runtime/JNLPSecurityManager.java:
Switch from SecurityWarningDialog.AccessType to
SecurityWarning.AccessType.
(checkAwtEventQueueAccess): New method. Skeleton code for allowing
EventQueue acccess to applets.
* netx/net/sourceforge/jnlp/security/AccessWarningPane.java:
Switch from SecurityWarningDialog.AccessType to
SecurityWarning.AccessType.
* netx/net/sourceforge/jnlp/security/CertWarningPane.java:
Likewise.
* netx/net/sourceforge/jnlp/security/SecurityWarningDialog.java:
Move DialogType and AccessType to SecurityWarning.
(SecurityWarningDialog(DialogType,AccessType,JNLPFile,CertVerifier,
X509Certificate,Object[])): New method. The catch-all construction.
(SecurityWarningDialog(DialogType,AccessType,JNLPFile): Delegate to
the new constructor.
(SecurityWarningDialog(DialogType,AccessType,JNLPFile,CertVerifier)):
Likewise.
(SecurityWarningDialog(DialogType,AccessType,CertVerifier)): Likewise.
(SecurityWarningDialog(DialogType,AccessType,JNLPFile,Object[])):
Likewise.
(SecurityWarningDialog(DialogType,X509Certificate)): Likewise.
(showAccessWarningDialog(AccessType,JNLPFile)): Move to SecurityWarning
class.
(showAccessWarningDialog(AccessType,JNLPFile,Object[])): Likewise.
(showNotAllSignedWarningDialog(JNLPFile)): Likewise.
(showCertWarningDialog(AccessType,JNLPFile,CertVerifier)): Likewise.
(showAppletWarning): Likewise.
(initDialog): Make dialog non modal and remove window closing listener.
(getValue): Make public.
(dispose): New method. Notify listeners.
(notifySelectionMade): New method. Notify listeners that user has made
a decision.
(addActionListener): New method. Add a listener to be notified when
user makes a decision about this security warning.
* netx/net/sourceforge/jnlp/security/VariableX509TrustManager.java:
Switch from SecurityWarningDialog.AccessType to
SecurityWarning.AccessType.
* netx/net/sourceforge/jnlp/services/ServiceUtil.java: Likewise.
* netx/net/sourceforge/jnlp/services/XClipboardService.java: Likewise.
* netx/net/sourceforge/jnlp/services/XExtendedService.java: Likewise.
* netx/net/sourceforge/jnlp/services/XFileOpenService.java: Likewise.
* netx/net/sourceforge/jnlp/services/XFileSaveService.java: Likewise.
* netx/net/sourceforge/jnlp/security/SecurityDialogMessage.java:
New class.
* netx/net/sourceforge/jnlp/security/SecurityDialogMessageHandler.java:
New class.
(run): New method. Runs the security message loop.
(handleMessage): New method. Handles a SecurityDialogMessage to show a
security warning.
(postMessage): New method. Posts a message to sthe security message
queue.
* netx/net/sourceforge/jnlp/security/SecurityWarning.java: New class.
Move AccessType and DialogType from SecurityWarningDialog to here.
(showAccessWarningDialog): Moved from SecurityWarningDialog to here.
(showAccessWarningDialog): Moved from SecurityWarningDialog to here.
Modified to post messages to the security queue instead of showing a
SecurityWarningDialog directly.
(showNotAllSignedWarningDialog): Likewise.
(showCertWarningDialog): Likewise.
(showAppletWarning): Likewise.
(getUserReponse): New method. Posts a message to the security thread and
blocks until it gets a response from the user.
2010-10-20 Andrew John Hughes <ahughes@redhat.com>
* netx/javax/jnlp/ServiceManager.java:
(lookupTable): Add generic types.
* netx/net/sourceforge/jnlp/AppletDesc.java:
(parameters): Likewise.
(AppletDesc(String,String,URL,int,int,Map)): Likewise.
(getParameters()): Likewise.
* netx/net/sourceforge/jnlp/ApplicationDesc.java:
(getArguments()): Remove redundant cast.
(addArgument(String)): Add generic typing.
* netx/net/sourceforge/jnlp/ExtensionDesc.java:
(extToPart): Add generic types.
(eagerExtParts): Likewise.
* netx/net/sourceforge/jnlp/InformationDesc.java:
(info): Likewise.
(getIcons(Object)): Add generic typing.
(getAssociations()): Likewise.
(getRelatedContents()): Likewise.
(getItem(Object)): Likewise.
(getItems(Object)): Likewise.
(addItem(String,Object)): Likewise.
* netx/net/sourceforge/jnlp/JNLPFile.java:
(resources): Likewise.
(InformationDesc.getItems(Object)): Likewise.
(getResources(Class)): Likewise.
* netx/net/sourceforge/jnlp/LaunchException.java:
(getCauses()): Likewise.
* netx/net/sourceforge/jnlp/Launcher.java:
(launchApplication(JNLPFile)): Likewise.
* netx/net/sourceforge/jnlp/NetxPanel.java:
(NetxPanel(URL,Hashtable)): Likewise.
(NetxPanel(URL,Hashtable,boolean)): Likewise.
* netx/net/sourceforge/jnlp/Node.java:
(getChildNodes()): Likewise.
* netx/net/sourceforge/jnlp/Parser.java:
(getResources(Node,boolean)): Likewise.
(getInfo(Node)): Likewise.
(getInformationDesc(Node)): Likewise.
(getApplet(Node)): Likewise.
(getApplication(Node)): Likewise.
(splitString(String)): Likewise.
(getLocales(Node)): Likewise.
(getChildNodes(Node,String)): Likewise.
* netx/net/sourceforge/jnlp/PluginBridge.java:
Fix variable naming and add generic types.
(cacheJars): Changed from cache_jars.
(cacheExJars): Changed from cache_ex-jars.
(atts): Add generic typing.
(PluginBridge(URL,URL,String,String,int,int,Hashtable)): Likewise.
(getInformation(Locale)): Likewise.
(getResources(Locale,String,String)): Likewise.
(getJARs()): Avoid excessive copying; filtering already performed
by getResources in JNLPFile.
* netx/net/sourceforge/jnlp/ResourcesDesc.java:
(resources): Add generic typing.
(getJREs()): Likewise.
(getJARs()): Likewise.
(getJARs(String)): Likewise.
(getExtensions()): Likewise.
(getPackages()): Likewise.
(getPackages(String)): Likewise.
(getProperties()): Likewise.
(getPropertiesMap()): Likewise.
(getResources(Class)): Make generic.
* netx/net/sourceforge/jnlp/Version.java:
(matches(Version)): Add generic types.
(matchesAny(Version)): Likewise.
(matchesSingle(String)): Likewise.
(matches(String,String)): Likewise.
(equal(List,List)): Likewise.
(greater(List,List)): Likewise.
(compare(String,String)): Use Integer.valueOf.
(normalize(List,int)): Add generic types, using
a List of lists rather than an array of lists.
(getVersionStrings()): Add generic types.
(getParts()): Likewise.
* netx/net/sourceforge/jnlp/cache/CacheUtil.java:
(waitForResources(ApplicationInstance,ResourceTracker,
URL,String)): Likewise.
* netx/net/sourceforge/jnlp/cache/DefaultDownloadIndicator.java:
(getListener(ApplicatonInstance,String,URL)): Use setVisible instead
of show().
(disposeListener(DownloadServiceListener)): Use setVisible instead
of hide().
(DownloadPanel.urls): Add generic typing.
(DownloadPanel.panels): Likewise.
(DownloadPanel.update(URL,String,long,long,int)): Fix formatting.
Add generic types.
* netx/net/sourceforge/jnlp/cache/Resource.java:
(resources): Add generic typing.
(trackers): Likewise.
(getResource(URL,Version,UpdatePolicy)): Use generic types.
(getTracker()): Likewise.
(addTracker(ResourceTracker)): Likewise.
(fireDownloadEvent()): Likewise.
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java:
(prefetchTrackers): Add generic typing.
(queue): Likewise.
(active): Likewise.
(resources): Likewise.
(listeners): Likewise.
(fireDownloadEvent(Resource)): Remove unneeded cast.
(getPrefetch()): Use generic typing.
(selectByFlag(List,int,int)): Likewise.
(getResource(URL)): Likewise.
* netx/net/sourceforge/jnlp/runtime/AppletEnvironment.java:
(weakClips): Add generic types.
(destroy()): Use generic typing.
(getApplets()): Likewise.
(getStreamKeys()): Likewise.
* netx/net/sourceforge/jnlp/runtime/ApplicationInstance.java:
(weakWindows): Add generic types.
(installEnvironment()): Likewise.
(destroy()): Remove redundant cast.
* netx/net/sourceforge/jnlp/runtime/Boot.java:
Extend PrivilegedAction<Void>.
(run()): Add generic typing.
(getOptions(String)): Likewise.
* netx/net/sourceforge/jnlp/runtime/Boot13.java:
(main(String[]): Likewise.
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java:
Fix formatting.
(urlToLoader): Add generic types.
(resourcePermissions): Likewise.
(available): Likewise.
(jarEntries): Likewise.
(getInstance(JNLPFile,UpdatePolicy)): Remove redundant cast.
(getInstance(URL,String,Version,UpdatePolicy)): Likewise.
(initializeExtensions()): Add generic types.
(initializePermissions()): Likewise.
(initializeResources()): Likewise.
(getPermissions(CodeSource)): Likewise.
(fillInPartJars(List)): Likewise.
(activateJars(List)): Likewise.
(loadClass(String)): Likewise. Suppress warnings due to
sun.misc.JarIndex usage.
(findResources(String)): Mark as overriding. Add generic
types.
(getExtensionName()): Add @Deprecated annotation.
(getExtensionHREF()): Likewise.
* netx/net/sourceforge/jnlp/runtime/JNLPSecurityManager.java:
(weakWindows): Add generic typing.
(weakApplications): Likewise.
(getApplication(Window)): Remove redundant casts. Add w,
which is window cast to Window.
* netx/net/sourceforge/jnlp/services/ServiceUtil.java:
(invoke(Object,Method,Object[])): Use generic types.
* netx/net/sourceforge/jnlp/services/XPersistenceService.java:
(getNames(URL)): Likewise.
* netx/net/sourceforge/jnlp/tools/JarSigner.java:
(verifyJars(List,ResourceTracker)): Remove redundant cast.
* netx/net/sourceforge/jnlp/util/WeakList.java:
Redesign as a generic type.
(refs): Add generic types.
(deref(WeakReference)): Likewise.
(get(int)): Likewise.
(set(int,Object)): Likewise.
(add(int,E)): Likewise.
(remove()): Likewise.
(hardList()): Likewise.
* netx/net/sourceforge/nanoxml/XMLElement.java:
(attributes): Add generic typing.
(children): Likewise.
(entities): Likewise.
(XMLElement()): Use generic types.
(XMLElement(Hashtable): Likewise.
(resolveEntity(StringBuffer)): Remove redundant cast.
2010-10-20 Omair Majid <omajid@redhat.com>
* AUTHORS: Add Francis Kung, Andrew Su, Joshua Sumali, Mark Wielaard and
Man Lung Wong. Add link to forked Netx project.
2010-10-20 Matthias Klose <doko@ubuntu.com>
* AUTHORS: Add myself.
2010-10-20 Andrew Su <asu@redhat.com>
* PluginBridge.java:
(PluginBridge): Added parsing for jnlp_href, and reading the jnlp file
for applet parameters.
2010-10-20 Matthias Klose <doko@ubuntu.com>
* Makefile.am (stamps/extra-class-files.stamp): Fix -sourcepath.
2010-10-20 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(initializeResources): Do not perform url encoding on the file url. Stay
consistent with the unencoded urls used in getPermissions.
2010-10-20 Omair Majid <omajid@redhat.com>
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java
(JNLPClassLoader): Call installShutdownHooks.
(installShutdownHooks): New method. Installs a shutdown hook to
recursively delete the contents of nativeDir.
(activateNative): Only create a nativeDir if there are native
libraries.
2010-10-19 Deepak Bhole <dbhole@redhat.com>
* Makefile.am:
($(NETX_DIR)/launcher/javaws): Use $(NETX_DIR).
2010-10-19 Deepak Bhole <dbhole@redhat.com>
* Makefile.am:
(NETX_DIR): New variable representing the NetX build dir.
(NETX_LAUNCHER_OBJECTS): Prefix with $(NETX_DIR).
(LAUNCHER_LINK): Fixed escaping of ORIGIN to the rpath argument.
(all-local): Fix javaws launcher path.
(install-exec-local): Likewise, and use $(NETX_DIR) for NetX classes.jar.
(clean-plugin): Remove launcher.
(liveconnect): Use NETX_DIR in classpath.
(netx): Use NETX_DIR throughout.
(netx-dist): Likewise.
(clean-netx): Likewise.
($(NETX_DIR)/launcher/%.o)): Likewise.
* launcher/jni_md.h: Imported from OpenJDK.
2010-10-20 Matthias Klose <doko@ubuntu.com>
* Makefile.am: Fix build with builddir != srcdir.
2010-10-19 Andrew John Hughes <ahughes@redhat.com>
* Makefile.am:
(PLUGIN_LAUNCHER_OBJECTS): Do prefixing once.
(NETX_LAUNCHER_OBJECTS): Likewise for NetX.
(pluginappletviewer): Use PLUGIN_LAUNCHER_OBJECTS.
(javaws): Use NETX_LAUNCHER_OBJECTS.
* configure.ac: Re-enable foreign (I want to use
GNU make!)
* README: Use gmake not make.
2010-10-19 Andrew John Hughes <ahughes@redhat.com>
* .hgignore,
* Makefile.am,
* acinclude.m4,
* autogen.sh,
* configure.ac,
* extra/net/sourceforge/jnlp/about/HTMLPanel.java,
* extra/net/sourceforge/jnlp/about/Main.java,
* extra/net/sourceforge/jnlp/about/resources/about.html,
* extra/net/sourceforge/jnlp/about/resources/applications.html,
* extra/net/sourceforge/jnlp/about/resources/notes.html,
* javac.in,
* javaws.desktop: Imported from IcedTea6.
* launcher/java.c,
* launcher/java.h,
* launcher/java_md.c,
* launcher/java_md.h,
* launcher/jli_util.h,
* launcher/jni.h,
* launcher/jvm.h,
* launcher/jvm_md.h,
* launcher/manifest_info.h,
* launcher/splashscreen.h,
* launcher/splashscreen_stubs.c,
* launcher/version_comp.h,
* launcher/wildcard.h: Imported from OpenJDK.
* netx/javaws.1,
* netx/javax/jnlp/BasicService.java,
* netx/javax/jnlp/ClipboardService.java,
* netx/javax/jnlp/DownloadService.java,
* netx/javax/jnlp/DownloadServiceListener.java,
* netx/javax/jnlp/ExtendedService.java,
* netx/javax/jnlp/ExtensionInstallerService.java,
* netx/javax/jnlp/FileContents.java,
* netx/javax/jnlp/FileOpenService.java,
* netx/javax/jnlp/FileSaveService.java,
* netx/javax/jnlp/JNLPRandomAccessFile.java,
* netx/javax/jnlp/PersistenceService.java,
* netx/javax/jnlp/PrintService.java,
* netx/javax/jnlp/ServiceManager.java,
* netx/javax/jnlp/ServiceManagerStub.java,
* netx/javax/jnlp/SingleInstanceListener.java,
* netx/javax/jnlp/SingleInstanceService.java,
* netx/javax/jnlp/UnavailableServiceException.java,
* netx/net/sourceforge/jnlp/AppletDesc.java,
* netx/net/sourceforge/jnlp/ApplicationDesc.java,
* netx/net/sourceforge/jnlp/AssociationDesc.java,
* netx/net/sourceforge/jnlp/ComponentDesc.java,
* netx/net/sourceforge/jnlp/DefaultLaunchHandler.java,
* netx/net/sourceforge/jnlp/ExtensionDesc.java,
* netx/net/sourceforge/jnlp/IconDesc.java,
* netx/net/sourceforge/jnlp/InformationDesc.java,
* netx/net/sourceforge/jnlp/InstallerDesc.java,
* netx/net/sourceforge/jnlp/JARDesc.java,
* netx/net/sourceforge/jnlp/JNLPFile.java,
* netx/net/sourceforge/jnlp/JNLPSplashScreen.java,
* netx/net/sourceforge/jnlp/JREDesc.java,
* netx/net/sourceforge/jnlp/LaunchException.java,
* netx/net/sourceforge/jnlp/LaunchHandler.java,
* netx/net/sourceforge/jnlp/Launcher.java,
* netx/net/sourceforge/jnlp/MenuDesc.java,
* netx/net/sourceforge/jnlp/NetxPanel.java,
* netx/net/sourceforge/jnlp/Node.java,
* netx/net/sourceforge/jnlp/PackageDesc.java,
* netx/net/sourceforge/jnlp/ParseException.java,
* netx/net/sourceforge/jnlp/Parser.java,
* netx/net/sourceforge/jnlp/PluginBridge.java,
* netx/net/sourceforge/jnlp/PropertyDesc.java,
* netx/net/sourceforge/jnlp/RelatedContentDesc.java,
* netx/net/sourceforge/jnlp/ResourcesDesc.java,
* netx/net/sourceforge/jnlp/SecurityDesc.java,
* netx/net/sourceforge/jnlp/ShortcutDesc.java,
* netx/net/sourceforge/jnlp/StreamEater.java,
* netx/net/sourceforge/jnlp/UpdateDesc.java,
* netx/net/sourceforge/jnlp/Version.java,
* netx/net/sourceforge/jnlp/cache/CacheEntry.java,
* netx/net/sourceforge/jnlp/cache/CacheUtil.java,
* netx/net/sourceforge/jnlp/cache/DefaultDownloadIndicator.java,
* netx/net/sourceforge/jnlp/cache/DownloadIndicator.java,
* netx/net/sourceforge/jnlp/cache/Resource.java,
* netx/net/sourceforge/jnlp/cache/ResourceTracker.java,
* netx/net/sourceforge/jnlp/cache/UpdatePolicy.java,
* netx/net/sourceforge/jnlp/cache/package.html,
* netx/net/sourceforge/jnlp/event/ApplicationEvent.java,
* netx/net/sourceforge/jnlp/event/ApplicationListener.java,
* netx/net/sourceforge/jnlp/event/DownloadEvent.java,
* netx/net/sourceforge/jnlp/event/DownloadListener.java,
* netx/net/sourceforge/jnlp/event/package.html,
* netx/net/sourceforge/jnlp/package.html,
* netx/net/sourceforge/jnlp/resources/Manifest.mf,
* netx/net/sourceforge/jnlp/resources/Messages.properties,
* netx/net/sourceforge/jnlp/resources/about.jnlp,
* netx/net/sourceforge/jnlp/resources/default.jnlp,
* netx/net/sourceforge/jnlp/runtime/AppThreadGroup.java,
* netx/net/sourceforge/jnlp/runtime/AppletAudioClip.java,
* netx/net/sourceforge/jnlp/runtime/AppletEnvironment.java,
* netx/net/sourceforge/jnlp/runtime/AppletInstance.java,
* netx/net/sourceforge/jnlp/runtime/ApplicationInstance.java,
* netx/net/sourceforge/jnlp/runtime/Boot.java,
* netx/net/sourceforge/jnlp/runtime/Boot13.java,
* netx/net/sourceforge/jnlp/runtime/JNLPClassLoader.java,
* netx/net/sourceforge/jnlp/runtime/JNLPPolicy.java,
* netx/net/sourceforge/jnlp/runtime/JNLPRuntime.java,
* netx/net/sourceforge/jnlp/runtime/JNLPSecurityManager.java,
* netx/net/sourceforge/jnlp/runtime/package.html,
* netx/net/sourceforge/jnlp/security/AccessWarningPane.java,
* netx/net/sourceforge/jnlp/security/AppletWarningPane.java,
* netx/net/sourceforge/jnlp/security/CertVerifier.java,
* netx/net/sourceforge/jnlp/security/CertWarningPane.java,
* netx/net/sourceforge/jnlp/security/CertsInfoPane.java,
* netx/net/sourceforge/jnlp/security/HttpsCertVerifier.java,
* netx/net/sourceforge/jnlp/security/MoreInfoPane.java,
* netx/net/sourceforge/jnlp/security/NotAllSignedWarningPane.java,
* netx/net/sourceforge/jnlp/security/SecurityDialogPanel.java,
* netx/net/sourceforge/jnlp/security/SecurityUtil.java,
* netx/net/sourceforge/jnlp/security/SecurityWarningDialog.java,
* netx/net/sourceforge/jnlp/security/SingleCertInfoPane.java,
* netx/net/sourceforge/jnlp/security/VariableX509TrustManager.java,
* netx/net/sourceforge/jnlp/security/viewer/CertificatePane.java,
* netx/net/sourceforge/jnlp/security/viewer/CertificateViewer.java,
* netx/net/sourceforge/jnlp/services/ExtendedSingleInstanceService.java,
* netx/net/sourceforge/jnlp/services/InstanceExistsException.java,
* netx/net/sourceforge/jnlp/services/ServiceUtil.java,
* netx/net/sourceforge/jnlp/services/SingleInstanceLock.java,
* netx/net/sourceforge/jnlp/services/XBasicService.java,
* netx/net/sourceforge/jnlp/services/XClipboardService.java,
* netx/net/sourceforge/jnlp/services/XDownloadService.java,
* netx/net/sourceforge/jnlp/services/XExtendedService.java,
* netx/net/sourceforge/jnlp/services/XExtensionInstallerService.java,
* netx/net/sourceforge/jnlp/services/XFileContents.java,
* netx/net/sourceforge/jnlp/services/XFileOpenService.java,
* netx/net/sourceforge/jnlp/services/XFileSaveService.java,
* netx/net/sourceforge/jnlp/services/XJNLPRandomAccessFile.java,
* netx/net/sourceforge/jnlp/services/XPersistenceService.java,
* netx/net/sourceforge/jnlp/services/XPrintService.java,
* netx/net/sourceforge/jnlp/services/XServiceManagerStub.java,
* netx/net/sourceforge/jnlp/services/XSingleInstanceService.java,
* netx/net/sourceforge/jnlp/services/package.html,
* netx/net/sourceforge/jnlp/tools/CharacterEncoder.java,
* netx/net/sourceforge/jnlp/tools/HexDumpEncoder.java,
* netx/net/sourceforge/jnlp/tools/JarRunner.java,
* netx/net/sourceforge/jnlp/tools/JarSigner.java,
* netx/net/sourceforge/jnlp/tools/JarSignerResources.java,
* netx/net/sourceforge/jnlp/tools/KeyStoreUtil.java,
* netx/net/sourceforge/jnlp/tools/KeyTool.java,
* netx/net/sourceforge/jnlp/util/FileUtils.java,
* netx/net/sourceforge/jnlp/util/PropertiesFile.java,
* netx/net/sourceforge/jnlp/util/Reflect.java,
* netx/net/sourceforge/jnlp/util/WeakList.java,
* netx/net/sourceforge/jnlp/util/XDesktopEntry.java,
* netx/net/sourceforge/nanoxml/XMLElement.java,
* netx/net/sourceforge/nanoxml/XMLParseException.java,
* plugin/icedteanp/IcedTeaJavaRequestProcessor.cc,
* plugin/icedteanp/IcedTeaJavaRequestProcessor.h,
* plugin/icedteanp/IcedTeaNPPlugin.cc,
* plugin/icedteanp/IcedTeaNPPlugin.h,
* plugin/icedteanp/IcedTeaPluginRequestProcessor.cc,
* plugin/icedteanp/IcedTeaPluginRequestProcessor.h,
* plugin/icedteanp/IcedTeaPluginUtils.cc,
* plugin/icedteanp/IcedTeaPluginUtils.h,
* plugin/icedteanp/IcedTeaRunnable.cc,
* plugin/icedteanp/IcedTeaRunnable.h,
* plugin/icedteanp/IcedTeaScriptablePluginObject.cc,
* plugin/icedteanp/IcedTeaScriptablePluginObject.h,
* plugin/icedteanp/java/netscape/javascript/JSException.java,
* plugin/icedteanp/java/netscape/javascript/JSObject.java,
* plugin/icedteanp/java/netscape/javascript/JSObjectCreatePermission.java,
* plugin/icedteanp/java/netscape/javascript/JSProxy.java,
* plugin/icedteanp/java/netscape/javascript/JSRunnable.java,
* plugin/icedteanp/java/netscape/javascript/JSUtil.java,
* plugin/icedteanp/java/netscape/security/ForbiddenTargetException.java,
* plugin/icedteanp/java/sun/applet/AppletSecurityContextManager.java,
* plugin/icedteanp/java/sun/applet/GetMemberPluginCallRequest.java,
* plugin/icedteanp/java/sun/applet/GetWindowPluginCallRequest.java,
* plugin/icedteanp/java/sun/applet/JavaConsole.java,
* plugin/icedteanp/java/sun/applet/MethodOverloadResolver.java,
* plugin/icedteanp/java/sun/applet/PasswordAuthenticationDialog.java,
* plugin/icedteanp/java/sun/applet/PluginAppletSecurityContext.java,
* plugin/icedteanp/java/sun/applet/PluginAppletViewer.java,
* plugin/icedteanp/java/sun/applet/PluginCallRequest.java,
* plugin/icedteanp/java/sun/applet/PluginCallRequestFactory.java,
* plugin/icedteanp/java/sun/applet/PluginClassLoader.java,
* plugin/icedteanp/java/sun/applet/PluginCookieInfoRequest.java,
* plugin/icedteanp/java/sun/applet/PluginCookieManager.java,
* plugin/icedteanp/java/sun/applet/PluginDebug.java,
* plugin/icedteanp/java/sun/applet/PluginException.java,
* plugin/icedteanp/java/sun/applet/PluginMain.java,
* plugin/icedteanp/java/sun/applet/PluginMessageConsumer.java,
* plugin/icedteanp/java/sun/applet/PluginMessageHandlerWorker.java,
* plugin/icedteanp/java/sun/applet/PluginObjectStore.java,
* plugin/icedteanp/java/sun/applet/PluginProxyInfoRequest.java,
* plugin/icedteanp/java/sun/applet/PluginProxySelector.java,
* plugin/icedteanp/java/sun/applet/PluginStreamHandler.java,
* plugin/icedteanp/java/sun/applet/RequestQueue.java,
* plugin/icedteanp/java/sun/applet/TestEnv.java,
* plugin/icedteanp/java/sun/applet/VoidPluginCallRequest.java,
* plugin/tests/LiveConnect/DummyObject.java,
* plugin/tests/LiveConnect/OverloadTestHelper1.java,
* plugin/tests/LiveConnect/OverloadTestHelper2.java,
* plugin/tests/LiveConnect/OverloadTestHelper3.java,
* plugin/tests/LiveConnect/PluginTest.java,
* plugin/tests/LiveConnect/build,
* plugin/tests/LiveConnect/common.js,
* plugin/tests/LiveConnect/index.html,
* plugin/tests/LiveConnect/jjs_eval_test.js,
* plugin/tests/LiveConnect/jjs_func_parameters_tests.js,
* plugin/tests/LiveConnect/jjs_func_rettype_tests.js,
* plugin/tests/LiveConnect/jjs_get_tests.js,
* plugin/tests/LiveConnect/jjs_set_tests.js,
* plugin/tests/LiveConnect/jsj_func_overload_tests.js,
* plugin/tests/LiveConnect/jsj_func_parameters_tests.js,
* plugin/tests/LiveConnect/jsj_func_rettype_tests.js,
* plugin/tests/LiveConnect/jsj_get_tests.js,
* plugin/tests/LiveConnect/jsj_set_tests.js,
* plugin/tests/LiveConnect/jsj_type_casting_tests.js,
* plugin/tests/LiveConnect/jsj_type_conversion_tests.js:
Initial import from IcedTea6.
* AUTHORS,
* COPYING
* INSTALL,
* NEWS,
* README: New documentation.
|