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
|
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.
|