1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
2407
2408
2409
2410
2411
2412
2413
2414
2415
2416
2417
2418
2419
2420
2421
2422
2423
2424
2425
2426
2427
2428
2429
2430
2431
2432
2433
2434
2435
2436
2437
2438
2439
2440
2441
2442
2443
2444
2445
2446
2447
2448
2449
2450
2451
2452
2453
2454
2455
2456
2457
2458
2459
2460
2461
2462
2463
2464
2465
2466
2467
2468
2469
2470
2471
2472
2473
2474
2475
2476
2477
2478
2479
2480
2481
2482
2483
2484
2485
2486
2487
2488
2489
2490
2491
2492
2493
2494
2495
2496
2497
2498
2499
2500
2501
2502
2503
2504
2505
2506
2507
2508
2509
2510
2511
2512
2513
2514
2515
2516
2517
2518
2519
2520
2521
2522
2523
2524
2525
2526
2527
2528
2529
2530
2531
2532
2533
2534
2535
2536
2537
2538
2539
2540
2541
2542
2543
2544
2545
2546
2547
2548
2549
2550
2551
2552
2553
2554
2555
2556
2557
2558
2559
2560
2561
2562
2563
2564
2565
2566
2567
2568
2569
2570
2571
2572
2573
2574
2575
2576
2577
2578
2579
2580
2581
2582
2583
2584
2585
2586
2587
2588
2589
2590
2591
2592
2593
2594
2595
2596
2597
2598
2599
2600
2601
2602
2603
2604
2605
2606
2607
2608
2609
2610
2611
2612
2613
2614
2615
2616
2617
2618
2619
2620
2621
2622
2623
2624
2625
2626
2627
2628
2629
2630
2631
2632
2633
2634
2635
2636
2637
2638
2639
2640
2641
2642
2643
2644
2645
2646
2647
2648
2649
2650
2651
2652
2653
2654
2655
2656
2657
2658
2659
2660
2661
2662
2663
2664
2665
2666
2667
2668
2669
2670
2671
2672
2673
2674
2675
2676
2677
2678
2679
2680
2681
2682
2683
2684
2685
2686
2687
2688
2689
2690
2691
2692
2693
2694
2695
2696
2697
2698
2699
2700
2701
2702
2703
2704
2705
2706
2707
2708
2709
2710
2711
2712
2713
2714
2715
2716
2717
2718
2719
2720
2721
2722
2723
2724
2725
2726
2727
2728
2729
2730
2731
2732
2733
2734
2735
2736
2737
2738
2739
2740
2741
2742
2743
2744
2745
2746
2747
2748
2749
2750
2751
2752
2753
2754
2755
2756
2757
2758
2759
2760
2761
2762
2763
2764
2765
2766
2767
2768
2769
2770
2771
2772
2773
2774
2775
2776
2777
2778
2779
2780
2781
2782
2783
2784
2785
2786
2787
2788
2789
2790
2791
2792
2793
2794
2795
2796
2797
2798
2799
2800
2801
2802
2803
2804
2805
2806
2807
2808
2809
2810
2811
2812
2813
2814
2815
2816
2817
2818
2819
2820
2821
2822
2823
2824
2825
2826
2827
2828
2829
2830
2831
2832
2833
2834
2835
2836
2837
2838
2839
2840
2841
2842
2843
2844
2845
2846
2847
2848
2849
2850
2851
2852
2853
2854
2855
2856
2857
2858
2859
2860
2861
2862
2863
2864
2865
2866
2867
2868
2869
2870
2871
2872
2873
2874
2875
2876
2877
2878
2879
2880
2881
2882
2883
2884
2885
2886
2887
2888
2889
2890
2891
2892
2893
2894
2895
2896
2897
2898
2899
2900
2901
2902
2903
2904
2905
2906
2907
2908
2909
2910
2911
2912
2913
2914
2915
2916
2917
2918
2919
2920
2921
2922
2923
2924
2925
2926
2927
2928
2929
2930
2931
2932
2933
2934
2935
2936
2937
2938
2939
2940
2941
2942
2943
2944
2945
2946
2947
2948
2949
2950
2951
2952
2953
2954
2955
2956
2957
2958
2959
2960
2961
2962
2963
2964
2965
2966
2967
2968
2969
2970
2971
2972
2973
2974
2975
2976
2977
2978
2979
2980
2981
2982
2983
2984
2985
2986
2987
2988
2989
2990
2991
2992
2993
2994
2995
2996
2997
2998
2999
3000
3001
3002
3003
3004
3005
3006
3007
3008
3009
3010
3011
3012
3013
3014
3015
3016
3017
3018
3019
3020
3021
3022
3023
3024
3025
3026
3027
3028
3029
3030
3031
3032
3033
3034
3035
3036
3037
3038
3039
3040
3041
3042
3043
3044
3045
3046
3047
3048
3049
3050
3051
3052
3053
3054
3055
3056
3057
3058
3059
3060
3061
3062
3063
3064
3065
3066
3067
3068
3069
3070
3071
3072
3073
3074
3075
3076
3077
3078
3079
3080
3081
3082
3083
3084
3085
3086
3087
3088
3089
3090
3091
3092
3093
3094
3095
3096
3097
3098
3099
3100
3101
3102
3103
3104
3105
3106
3107
3108
3109
3110
3111
3112
3113
3114
3115
3116
3117
3118
3119
3120
3121
3122
3123
3124
3125
3126
3127
3128
3129
3130
3131
3132
3133
3134
3135
3136
3137
3138
3139
3140
3141
3142
3143
3144
3145
3146
3147
3148
3149
3150
3151
3152
3153
3154
3155
3156
3157
3158
3159
3160
3161
3162
3163
3164
3165
3166
3167
3168
3169
3170
3171
3172
3173
3174
3175
3176
3177
3178
3179
3180
3181
3182
3183
3184
3185
3186
3187
3188
3189
3190
3191
3192
3193
3194
3195
3196
3197
3198
3199
3200
3201
3202
3203
3204
3205
3206
3207
3208
3209
3210
3211
3212
3213
3214
3215
3216
3217
3218
3219
3220
3221
3222
3223
3224
3225
3226
3227
3228
3229
3230
3231
3232
3233
3234
3235
3236
3237
3238
3239
3240
3241
3242
3243
3244
3245
3246
3247
3248
3249
3250
3251
3252
3253
3254
3255
3256
3257
3258
3259
3260
3261
3262
3263
3264
3265
3266
3267
3268
3269
3270
3271
3272
3273
3274
3275
3276
3277
3278
3279
3280
3281
3282
3283
3284
3285
3286
3287
3288
3289
3290
3291
3292
3293
3294
3295
3296
3297
3298
3299
3300
3301
3302
3303
3304
3305
3306
3307
3308
3309
3310
3311
3312
3313
3314
3315
3316
3317
3318
3319
3320
3321
3322
3323
3324
3325
3326
3327
3328
3329
3330
3331
3332
3333
3334
3335
3336
3337
3338
3339
3340
3341
3342
3343
3344
3345
3346
3347
3348
3349
3350
3351
3352
3353
3354
3355
3356
3357
3358
3359
3360
3361
3362
3363
3364
3365
3366
3367
3368
3369
3370
3371
3372
3373
3374
3375
3376
3377
3378
3379
3380
3381
3382
3383
3384
3385
3386
3387
3388
3389
3390
3391
3392
3393
3394
3395
3396
3397
3398
3399
3400
3401
3402
3403
3404
3405
3406
3407
3408
3409
3410
3411
3412
3413
3414
3415
3416
3417
3418
3419
3420
3421
3422
3423
3424
3425
3426
3427
3428
3429
3430
3431
3432
3433
3434
3435
3436
3437
3438
3439
3440
3441
3442
3443
3444
3445
3446
3447
3448
3449
3450
3451
3452
3453
3454
3455
3456
3457
3458
3459
3460
3461
3462
3463
3464
3465
3466
3467
3468
3469
3470
3471
3472
3473
3474
3475
3476
3477
3478
3479
3480
3481
3482
3483
3484
3485
3486
3487
3488
3489
3490
3491
3492
3493
3494
3495
3496
3497
3498
3499
3500
3501
3502
3503
3504
3505
3506
3507
3508
3509
3510
3511
3512
3513
3514
3515
3516
3517
3518
3519
3520
3521
3522
3523
3524
3525
3526
3527
3528
3529
3530
3531
3532
3533
3534
3535
3536
3537
3538
3539
3540
3541
3542
3543
3544
3545
3546
3547
3548
3549
3550
3551
3552
3553
3554
3555
3556
3557
3558
3559
3560
3561
3562
3563
3564
3565
3566
3567
3568
3569
3570
3571
3572
3573
3574
3575
3576
3577
3578
3579
3580
3581
3582
3583
3584
3585
3586
3587
3588
3589
3590
3591
3592
3593
3594
3595
3596
3597
3598
3599
3600
3601
3602
3603
3604
3605
3606
3607
3608
3609
3610
3611
3612
3613
3614
3615
3616
3617
3618
3619
3620
3621
3622
3623
3624
3625
3626
3627
3628
3629
3630
3631
3632
3633
3634
3635
3636
3637
3638
3639
3640
3641
3642
3643
3644
3645
3646
3647
3648
3649
3650
3651
3652
3653
3654
3655
3656
3657
3658
3659
3660
3661
3662
3663
3664
3665
3666
3667
3668
3669
3670
3671
3672
3673
3674
3675
3676
3677
3678
3679
3680
3681
3682
3683
3684
3685
3686
3687
3688
3689
3690
3691
3692
3693
3694
3695
3696
3697
3698
3699
3700
3701
3702
3703
3704
3705
3706
3707
3708
3709
3710
3711
3712
3713
3714
3715
3716
3717
3718
3719
3720
3721
3722
3723
3724
3725
3726
3727
3728
3729
3730
3731
3732
3733
3734
3735
3736
3737
3738
3739
3740
3741
3742
3743
3744
3745
3746
3747
3748
3749
3750
3751
3752
3753
3754
3755
3756
3757
3758
3759
3760
3761
3762
3763
3764
3765
3766
3767
3768
3769
3770
3771
3772
3773
3774
3775
3776
3777
3778
3779
3780
3781
3782
3783
3784
3785
3786
3787
3788
3789
3790
3791
3792
3793
3794
3795
3796
3797
3798
3799
3800
3801
3802
3803
3804
3805
3806
3807
3808
3809
3810
3811
3812
3813
3814
3815
3816
3817
3818
3819
3820
3821
3822
3823
3824
3825
3826
3827
3828
3829
3830
3831
3832
3833
3834
3835
3836
3837
3838
3839
3840
3841
3842
3843
3844
3845
3846
3847
3848
3849
3850
3851
3852
3853
3854
3855
3856
3857
3858
3859
3860
3861
3862
3863
3864
3865
3866
3867
3868
3869
3870
3871
3872
3873
3874
3875
3876
3877
3878
3879
3880
3881
3882
3883
3884
3885
3886
3887
3888
3889
3890
3891
3892
3893
3894
3895
3896
3897
3898
3899
3900
3901
3902
3903
3904
3905
3906
3907
3908
3909
3910
3911
3912
3913
3914
3915
3916
3917
3918
3919
3920
3921
3922
3923
3924
3925
3926
3927
3928
3929
3930
3931
3932
3933
3934
3935
3936
3937
3938
3939
3940
3941
3942
3943
3944
3945
3946
3947
3948
3949
3950
3951
3952
3953
3954
3955
3956
3957
3958
3959
3960
3961
3962
3963
3964
3965
3966
3967
3968
3969
3970
3971
3972
3973
3974
3975
3976
3977
3978
3979
3980
3981
3982
3983
3984
3985
3986
3987
3988
3989
3990
3991
3992
3993
3994
3995
3996
3997
3998
3999
4000
4001
4002
4003
4004
4005
4006
4007
4008
4009
4010
4011
4012
4013
4014
4015
4016
4017
4018
4019
4020
4021
4022
4023
4024
4025
4026
4027
4028
4029
4030
4031
4032
4033
4034
4035
4036
4037
4038
4039
4040
4041
4042
4043
4044
4045
4046
4047
4048
4049
4050
4051
4052
4053
4054
4055
4056
4057
4058
4059
4060
4061
4062
4063
4064
4065
4066
4067
4068
4069
4070
4071
4072
4073
4074
4075
4076
4077
4078
4079
4080
4081
4082
4083
4084
4085
4086
4087
4088
4089
4090
4091
4092
4093
4094
4095
4096
4097
4098
4099
4100
4101
4102
4103
4104
4105
4106
4107
4108
4109
4110
4111
4112
4113
4114
4115
4116
4117
4118
4119
4120
4121
4122
4123
4124
4125
4126
4127
4128
4129
4130
4131
4132
4133
4134
4135
4136
4137
4138
4139
4140
4141
4142
4143
4144
4145
4146
4147
4148
4149
4150
4151
4152
4153
4154
4155
4156
4157
4158
4159
4160
4161
4162
4163
4164
4165
4166
4167
4168
4169
4170
4171
4172
4173
4174
4175
4176
4177
4178
4179
4180
4181
4182
4183
4184
4185
4186
4187
4188
4189
4190
4191
4192
4193
4194
4195
4196
4197
4198
4199
4200
4201
4202
4203
4204
4205
4206
4207
4208
4209
4210
4211
4212
4213
4214
4215
4216
4217
4218
4219
4220
4221
4222
4223
4224
4225
4226
4227
4228
4229
4230
4231
4232
4233
4234
4235
4236
4237
4238
4239
4240
4241
4242
4243
4244
4245
4246
4247
4248
4249
4250
4251
4252
4253
4254
4255
4256
4257
4258
4259
4260
4261
4262
4263
4264
4265
4266
4267
4268
4269
4270
4271
4272
4273
4274
4275
4276
4277
4278
4279
4280
4281
4282
4283
4284
4285
4286
4287
4288
4289
4290
4291
4292
4293
4294
4295
4296
4297
4298
4299
4300
4301
4302
4303
4304
4305
4306
4307
4308
4309
4310
4311
4312
4313
4314
4315
4316
4317
4318
4319
4320
4321
4322
4323
4324
4325
4326
4327
4328
4329
4330
4331
4332
4333
4334
4335
4336
4337
4338
4339
4340
4341
4342
4343
4344
4345
4346
4347
4348
4349
4350
4351
4352
4353
4354
4355
4356
4357
4358
4359
4360
4361
4362
4363
4364
4365
4366
4367
4368
4369
4370
4371
4372
4373
4374
4375
4376
4377
4378
4379
4380
4381
4382
4383
4384
4385
4386
4387
4388
4389
4390
4391
4392
4393
4394
4395
4396
4397
4398
4399
4400
4401
4402
4403
4404
4405
4406
4407
4408
4409
4410
4411
4412
4413
4414
4415
4416
4417
4418
4419
4420
4421
4422
4423
4424
4425
4426
4427
4428
4429
4430
4431
4432
4433
4434
4435
4436
4437
4438
4439
4440
4441
4442
4443
4444
4445
4446
4447
4448
4449
4450
4451
4452
4453
4454
4455
4456
4457
4458
4459
4460
4461
4462
4463
4464
4465
4466
4467
4468
4469
4470
4471
4472
4473
4474
4475
4476
4477
4478
4479
4480
4481
4482
4483
4484
4485
4486
4487
4488
4489
4490
4491
4492
4493
4494
4495
4496
4497
4498
4499
4500
4501
4502
4503
4504
4505
4506
4507
4508
4509
4510
4511
4512
4513
4514
4515
4516
4517
4518
4519
4520
4521
4522
4523
4524
4525
4526
4527
4528
4529
4530
4531
4532
4533
4534
4535
4536
4537
4538
4539
4540
4541
4542
4543
4544
4545
4546
4547
4548
4549
4550
4551
4552
4553
4554
4555
4556
4557
4558
4559
4560
4561
4562
4563
4564
4565
4566
4567
4568
4569
4570
4571
4572
4573
4574
4575
4576
4577
4578
4579
4580
4581
4582
4583
4584
4585
4586
4587
4588
4589
4590
4591
4592
4593
4594
4595
4596
4597
4598
4599
4600
4601
4602
4603
4604
4605
4606
4607
4608
4609
4610
4611
4612
4613
4614
4615
4616
4617
4618
4619
4620
4621
4622
4623
4624
4625
4626
4627
4628
4629
4630
4631
4632
4633
4634
4635
4636
4637
4638
4639
4640
4641
4642
4643
4644
4645
4646
4647
4648
4649
4650
4651
4652
4653
4654
4655
4656
4657
4658
4659
4660
4661
4662
4663
4664
4665
4666
4667
4668
4669
4670
4671
4672
4673
4674
4675
4676
4677
4678
4679
4680
4681
4682
4683
4684
4685
4686
4687
4688
4689
4690
4691
4692
4693
4694
4695
4696
4697
4698
4699
4700
4701
4702
4703
4704
4705
4706
4707
4708
4709
4710
4711
4712
4713
4714
4715
4716
4717
4718
4719
4720
4721
4722
4723
4724
4725
4726
4727
4728
4729
4730
4731
4732
4733
4734
4735
4736
4737
4738
4739
4740
4741
4742
4743
4744
4745
4746
4747
4748
4749
4750
4751
4752
4753
4754
4755
4756
4757
4758
4759
4760
4761
4762
4763
4764
4765
4766
4767
4768
4769
4770
4771
4772
4773
|
0.25.1
======
20e5222 Fixing #2689 - file owner warnings are reduced
09fb3f7 Fixing #2752 - "require" loads "include"
6846c32 Fixing some recently broken Scope tests
0043392 Fixed typo in lib/puppet/indirector/ldap.rb
6b254eb Fix #2753 - Do not "global allow" plugins/modules mount if some rules have been parsed
ff3a7bc Re-fixed #2750 - Stop disabling the CRL or checking for a disabled CRL
594c774 Revised partial fix for #2661 and related issues
73d04c6 Bug #2534 Raise error if property appears twice
7517572 Bug #1908 cron environment should allow empty vals
febe707 Bug #1742 Invalid params to --color outputs 'nil'
d383ab8 Use notice() in the versioncmp() docs
9dff716 conf/redhat/*.init: Use -p option to killproc
f47a70f Ticket #2665: Regexp exception on ++ in package names
b6e4ef3 Fixed #2750 - Set :cacrl to nil instead of 'false' in puppetd
2b57e06 Fix #2691 - Collection AR request should not include params if querying with tags
e8bce7a Workaround #2668 - Compress facts so that the request size limit triggers less often
e2ce790 Fixed #2737 - The zone provider needs to get acquainted with OpenSolaris
aea1e5f Update Red Hat spec file for 0.25.1
fbdded7 Ticket #2685 (Type error in ssh_authorized_keys)
4d9f76a Fix for #2745 fakedata tests not working
b4bcfe9 Fix for #2736, target doesn't work for ssh_authorized_keys
ae528f6 Ticket #2734 PSON/JSON not serializing classes of a catalog
f59f805 Bug #1900 Parsing of quoted $ in stdin
6ba122f Fixing #2735 - node classes are immed. added to classlist
bca3b70 Bundling of pure ruby json lib as "pson"
ce46be5 Proposed alternative solution for #2664 (REGEX / DIV lexing)
b0518c3 Fix for #2681 (duplicate resource)
8a73082 Fix #2707 config_version fails more helpfully
54ded1b Fixes #1719, this avoids calling the external binary *which* everytime we are looking for a binary
4c3c279 Updated required Facter version in README
fcce46a Fixed #2702 - Set :outputdir to "doc" if not specified
3940dfb Fixed #2674 - createpackage.sh: problem finding install.rb
3b548f4 Fix #2699 - Use --masterport for PUPPET_PORT variable
a75bf50 This updates the portage provider in three ways:
ad86e9e Fixes #2688. Macauthorization provider now handles booleans internally correctly.
d891f7a Ticket #2676 (a typo)
bfba2cd Fix #2672 - Make sure nodenames keep their underscores when used as classname
db67e5f Added rcov exclusion to Rakefile
6912a7e Incremented version to 0.25.1
fd322da Fixes #1538 - Fixes the yumrepo backtrace in noop mode.
6551e86 Fix #2664 - Mathematic expressions mis-lexed as Regex
a595033 Fix for #2654 (error generating error message)
a951163 Fix #2642 - Runit provider rework
96b5087 Fix for ticket #2639 (Puppet[:user]/Puppet[:group] vs. 'service')
af57483 Fixing #2632 - 'require' works for 0.25 clients
d42bda1 Fixing relationship metaparam backward compatibility
d53bc16 Adding version information to the catalog for compat
5f25589 Ticket #2626 (unhelpfull error messages)
a1d3b04 Fixing #2617 - use the cert name as specified
8987509 Refactored Puppet packaging and gem creation
5c2ba47 FIXES 2616: Remove sync.syncronize and Puppet.info
a53a77c Renamed test branch to testing in rake task
d054fd9 Fixing #2656 - puppet parseonly tests don't hang
cde70cf Fixes #2648. Spurious macauthorization parameter changes
dcf0d0d Fix #2652 - Fix SELinux syntax error
ba269f2 Fixed #2651 - Corrected install permissions on man page directories.
361c502 Fix #2638 - Allow creating several nodes with matching names
2283605 Added automatically constructed test branch task and file
fd2a190 Fix for #2621 (JSON serialization of exec)
577a45b Fix #2622 - Puppetdoc in single manifest to console is broken
d2d7070 Fix #2640 - Daemontools and Runit were not creating the enable symlink
d21b266 Fix #2627 - regex node name could lead to invalid tag
cb90528 Merged fix for #2601
b1554a1 Updated changelog task and CHANGELOG to version aware
f5a106d Fix for #2637 (Webrick accpting connections on dead sockets)
19e98f9 Fixed #2608 - install.rb will not run on ruby 1.9.1 due to ftools being deprecated
40cd6d4 Fix for #2605 by falling back to alternative solution to #1963
630407d Make regsubst() function operate on arrays (feature #2491).
a45c435 Fix for #2600 (wrong number of arguments under older mongrel)
f2bc8aa Fixed #2634 - Added servicegroup_name parameter to serviceescalation type
7404e31 Fixs #2620 authconf interpolation, #2570 0-9 in domain names
4344339 Fix for ticket #2618 (stubbing so redhat tests run under debian)
c2e26b9 vim: match regexp language features
1494bd7 Require active_record/version to support ActiveRecord < 2.3
a5c56fc Fixed #2607 - Added Facter dependency for Puppet Gem
b1eddbb Updated and created new CHANGELOG format
994d6e0 Adding tests for the #2599 fix
42ab73f Ticket #2525 don't fail find_manifest on invalid module names
a0f0dcc Updated permissions on test files
d45812b Refactoring tests to reduce code size, increase coverage, and make
aba2f66 This further normalizes the handling of init-style services (including
fb236a0 Combined fix for #2525, #2552 -- RedHat service issues
d40b942 Fixed #2589 - Renamed zfs delete to destroy and added tests
4aa7fce Monkey patch to improve yaml compatibility between ruby versions
1f6c74d Fixed typo in parser test
2e9b706 Updated Red Hat spec file and RH patches for 0.25.0.
19815dd Fixing #2592 - you can escape slashes in regexes
ea58478 Fixing #2590 - modulepath is not cached inappropriately
1a3d0c8 Fixed #2593: puppet init script status command not returning proper exit code
8dabc72 Update documentation string to reflect actual intent of Puppet::Node::Facts::Rest
b30a3c7 Fixes #2581. Use new 10.6 global launchd overrides file for service status/enabled
7f05469 Fixed Naginator link
e589cd3 Fixing #2582 - / no longer autorequires /
3342b73 Fixing #2577 - clarifying and demoting the deprecation notice
d397f8d Fixing #2574 - autoloading finds plugins in modules
800a78b The first regex node now matches first
6750aeb Fixing #2563 - multiple regex nodes now work together
b728b93 Fixes #724 - false is equivalent to 'ruby -W1'
a9d5863 Fix parser error output
ee4f6ba Fixing #2551 - fixing content changed logs
c8f859e Fix for test isolation portion of Ticket #2511
6fa9271 Fixing #2549 - autoloading of top-level classes works again
c752680 Fixing a heisenbug resulting from a race condition
ea417d6 Fixing #2460 - puppetmasterd can now read the cert and key
a49915a Not using the service user in settings when it's unavailable
14ec838 Explicitly loading all facts in the directory service provider
5ee6602 Adding an 'exists?' delegator from user type to provider
06fcece Switching the owner/group settings to use symbolic values
4eb325a Fixing the yamldir group to be a group instead of user
058514a Moving Setting classes into separate files
b0f219a Removing chuser on darwin restriction
7f749cb Fixing a ruby warning in the authstore test
c0da3bf Fixing #2558 - propagating recent fileserving changes
ff39bc7 Fixes #2550 Handles case where metadata is nil
47dee83 Ticket 2559 -- parseonly ignored specified file
a4f6896 Fixed #2562 - Recognize the usecacheonfailure option again
e408d6c Refactoring the Module/Environment co-interface
796ba5c Fixing #1544 - plugins in modules now works again
6bd3627 Adding a global cleanup to the spec_helper
0ef5f22 Removed misguided case sensitivity tests
c1967bb Fixes #2513. debian service provider now uses invoke-rc.d to determine enabled? status
7e09247 Fixing fact-missing problem when puppet.conf is reparsed
a35e9bf Fix for #2531; adds tests to confirm problem and related cases,
299eadb Fixed #2530 - Fixed status setting in the SMF provider
e6a7e82 Fixed spec typo
75c6e4a Fixes #2493
b62d966 conf/redhat/*.init: Fix condrestart/try-restart
e9fbd4c conf/redhat/client.init: Fix #2123, status options on older RHEL
0461a02 Updates to Solaris smf files to reflect new binary locations
55a9cdb Fix #2517 - Stack overflow when CA cert missing
601a2e5 Fix #2516 - Fix format detection when content-type contains charset
d86bc88 Fix #2507 - Add missing integration tests
aad3b76 Fix #2507 - Exported resources were not correctly collected.
63cb1ad Fixes #2503
c129f2a Fixes #2360 - Removed annoying log message
b1ffffa Fixed #2525 - Wrong method being overridden in Red Hat services
a88fc4d Fixing more tests broken from missing libraries
9a356ab Fixing ActiveRecord Indirector tests to skip w/out Rails
acc5a96 Fixing #2489 - queue integration tests are skipped w/out json
1a5c5b3 Fixing #2508 - removing mention of ActiveRecord 2.3
0cb9072 Fixing #2541 - file cache is more resilient to failure
23948d0 vim: Mark puppetFunction values as contained
79a4339 Add shellquote() function.
79d705f Fixes #2499. Allows execs to specify an array for the returns parameter
b611c34 Updated fix for #2481
f385072 Revert "Fxied #2481 - Added status and restart overrides for Red Hat service provider."
cc379b6 Fixed #2498 - logcheck update
85a3633 Removed extraneous debugging
bf94de9 Updated two more tests
5b87dba Logs now assume resource params have metadata
1410bed Adding metadata delegation from param to resource
3ab3a5c Removing unnecessary debug output
488e368 Adding integration tests for #2371 (backup refactor)
f1406bf Adding many tests for #2371, and slightly refactoring
8f60f0c Fixes for Redmine 2371.
cd224c6 Fixes #2464, #2457. Deprecate reportserver for report_server. Add report_port setting. Add tests.
401a9ec Fixing #2484 - "format missing" messages are better
f6cc598 Fixes #2483 - Log only copies metadata from RAL objects
7c4c00f Fixed #2486 - Missing require 'monitor' in parser_support.rb
ea34ee6 Added R.I.Pienaar's extlookup.rb to the ext directory
36d3f58 Added example conf/puppet-queue.conf
967eb9f Fxied #2481 - Added status and restart overrides for Red Hat service provider.
c702f76 rack: SSL Env vars can be in Request.env or ENV
ca17b3c rack: don't directly use the forbidden HTTP_CONTENT_TYPE env var (fixes rack specification conformance)
a002e58 Removing old filebucket test
d8de446 Cleaning up tests for #2469
266aafa default server in remote filebuckets
1f8ef60 Fixes #2444 - Various JSON test failures
11c0fb7 Fixed #2294 - Classes sometimes cannot be found
7e5b562 Adding #2477 - puppet can apply provided catalogs
97274ad Fixing problems my Feature refactor caused
6fb8bf6 Fixing ruby warning in definition test
b3545fc Fixed global deprecation error in useradd Unit tests
dc24472 Adding a test for the Exec type
58d9587 Speeding a test up through stubbing
d4d8372 Fixing a small test by stubbing instead of mocking
f7e1c36 Fixing a test broken by the regex features
54a225d Fixing tests broken by caching autoload results
1ce31b4 Migrating Handler base tests from test/ to spec/
cc3f56a Migrating Feature tests to spec
21d1d25 Fixing cron test to match new behaviour
849fa67 Migrating tests to spec and removing an obsolete test
6f458cc Logging the configuration version we're applying
ac58e27 Configuration version information is now in logs
6ed0103 Adding support for an external catalog version
39320b8 Cleaning up duplication in another test file
25fae5f Removing duplication in the test structure
36c0662 Simplified Rakefile and moved tasks to tasks/rake directorya
b45ccf8 Implement node matching with regexes
58a73b5 Make sure node are referenced by their names
3ebf148 Enhance selector and case statements to match with regexp
ef68967 Fix #2033 - Allow regexp in if expression
17e62b1 Add AST::Regex, an AST leaf node representing a regex
4f9545f Add regexes and regex match operators to the parser
0ccd259 Add regex, match and not match token to the lexer
201ae59 Allow variable $0 to $9 to be interpolated, if ephemeral
f357a91 Implement ephemeral scope variables
d40ef29 Signed-off-by: Eric Sorenson <ahpook@gmail.com>
6d22afb Modifying the REST client error to make server errors more clear
21f477a Fixes #2472. Load Facter facts when ralsh is invoked, plus test.
2e41edb Update CHANGELOG.git
ebb5a1f Fixed ci_spec task for RubyGems 1.3.5
b6b903e Fixes #2461. Provide new and old code paths for macosx_productversion_major with deprecation warning
26b0c70 Fixing typo in two tests which caused them to always pass
76fc2b1 Fixing #2440 - catalogs can now be compiled on demand
832b6ff Exiting from app failures instead of raising
4ea3f17 Minimal patch to fix #2290 (/tmp permissions)
08ff9e8 Fix #2467 - rack: suggest putting puppet/lib at beginning of RUBYLIB search path
fb60f90 Fix #2465 - Default auth information is confusing with no auth.conf
0ca9b53 Fix #2459 - puppetdoc added namespace classes as RDoc modules instead of classes
18b5d61 Fix #2429 - vim: class/define/node should only be followed by whitespace
da828a4 Fix #2448 - fix the broken runit provider and tests
3898436 Fixed #2405 - Mount parameter "dump" doesn't accept all valid values on FreeBSD
9825bec Fixes #2362. Do not validate users/groups when supplied with numeric uid/gids
450a19c Fix #2454 - Definition named after a module don't show in puppetdoc
8551ece Fix #2453 - puppetdoc mixes long class names that look alike
e3ee594 Fix #2422 & #2433 - make sure puppetdoc transform AST::Leaf boolean correctly
b3b76df Fixing #2296 - overlapping recursions work again
9120712 Fixing mocks to remove warnings
eeec8e9 Fixing #2423 - no more strange dependency cycles
7d40f9e Fixing #2443: Adding debugging guidance to dep cycle errors
b4facb0 Fixing a test broken by changing the default os x package type
b418921 Fixing selinux tests broken in the fix for #1963
719e76b Fixing #2445 - fixing the mount test mock
f13f08d Minor fix to URL for LDAP nodes documentation
7c859a7 Fixing #2399 - removing client-side rrd graphs
f6d6145 Fixing #2421 - file renaming errors now propagate
db82523 Fixes #2438, get major OS X version from Facter and replace Puppet::Error invocations with fail builtin
22145e7 Update install.rb to cope with all OS X versions, not just 10.5
935c463 Fixing #2403 - provider specificity is richer and better
d95b687 Fix #2439 - let puppetdoc use loaded_code
ef5c4ae Fixed #2436 - Changed ralsh to use Puppet::Type.new and avoid deprecation notice
0c18013 Fixes #2430 - Stock apache2.conf for passenger incorrect
c383ceb Make pkgdmg default Darwin provider, make confines consistent on Darwin package providers.
98599c4 Convert to using sbindir for OS X packages, clean out previous executables in bindir
c659743 Fix #2425 - make sure client can contact CA server with REST
17205bb Fix #2424 - take 2, make sure default mounts allow every clients
f2c55cc Fix #2378 and #2391 tests
8bbd8b4 Fix #2424 - File server can't find module in environment
effaf80 Fix small typo in the fix for #2394
a06094e Feature #2378 - Implement "thin_storeconfigs"
b2a008e Fix #2391 - Exported resources never make to the storeconfigs db
8f82407 Fix #2261 - Make sure query string parameters are properly escaped
c86d44e Fixed #579 - puppet should try to clear solaris 10 services in maintenance state
910a5e2 Fix #1963 - Failing to read /proc/mounts for selinux kills file downloads
ba824e9 Fixing #2245 - provider lists are not lost on type reload
eb40966 Ruby no longer clobbers puppet autoloading
a42e878 deprecate NetInfo providers and examples, remove all NetInfo references and tests.
22f5632 Fixed #2410 - default acl logs as info instead of warn.
65b0137 Adding test for current auth config warning.
74f5ad4 Fixed #2394 - warn once on module mount deprecation.
f46a52a Add test for current module mount deprec warning.
858d333 Fixes #2258,#2257,#2256. Maintain correct type for integers/booleans, allow correct values, and fix rule array handling
44f127f Added Markdown mode to puppetdoc to output Markdown.
8a8ce9d Excluded directories from rcov coverage report
d152c5e Allow boolean value for boolean cli parameter
911b490 Fix #2364 - Associates the correct comment to the right statement
faefd92 Make sure the parser sees the correct line number
869ec27 Fix #2366 - puppetdoc was parsing classes in the wrong order
4c659b7 Added rcov coverage to Spec tests
1fd98b1 Fixes #2367 - Mongrel::HTTPRequest returns a StringIO object
8b09b83 Fix #2082 - puppetca shouldn't list revoked certificates
ea66cf6 Fix #2348 - Allow authstore (and REST auth) to match allow/deny against opaque strings
1e83aad Fix #2392 - use Content-Type for REST communication
aaca17a Fixed #2293 - Added cron syntax X-Y/Z and '7' for sunday
cddc365 Switching to LoadedCode from ASTSet
fc1f8cd Adding a special class to handle loaded classes/defines/nodes
325b8e4 Fix #2383, an incompatibility with early ruby 1.8 versions
46112da Fixing #2238 In some cases blank? is not available on String.
cdd1662 Fixing #2238 - Deal with nil hash keys from mongrel params
769c8aa Final fix to CI test rakes
a6816ff Set ENV['PATH'] to an empty string if non-existent
64a4720 Fix to CI rake tasks
5680cd5 Fixing #2197 - daemontools tests now pass
603b9cf Change the diff default output to "unified"
9bc9b5c Added missing colon to suntab
0f2d70d Fixed #2087 and refactored the code that gets the smf service state
3f070c1 Using the logging utilities to clean up module warnings
feb7f89 Fixing #1064 - Deprecating module 'plugins' directories
ccf4e69 Removing deprecated :pluginpath setting
4036de9 Fixing #2094 - filebucket failures are clearer now
ed876e0 Refactoring part of the file/filebucket integration
bd81c25 Adding tests for file/backup behaviour
c45ebfa Fixed pi binary so --meta option works and updated documentation
d2080a5 Fixing #2323 - Modules use environments correctly
b9e632f Fixed #2102 - Rails feature update fixed for Debian and Ubuntu
1c4ef61 Fixed #2052 - Added -e option to puppet --help output
d332333 Fix #2333 - Make sure lexer skip whitespace on non-token
5fbf63c Updated split function and add split function unit tests (courtesy of Thomas Bellman)
a585bdd * provider/augeas: strip whitespace and ignore blank lines
a94d2de Fixed pi tests
5f7455e Fixed #2222 - Cleanup pi binary options and --help output
134ae3e Fixing #2329 - puppetqd tests now pass
de55e19 Cleaning up scope tests a bit
e4ae870 Fixing #2336 - qualified variables only throw warnings
607b01e Fix #2246 - take2: make sure we run the rails tag query only when needed
06b919d Fix collector specs which were not working
2945f8d Make sure overriding a tag also produces a tag
e142ca6 Removed a unit test which tested munging which is no longer done in the type
d8ee6cf Clearn up a parsing error reported by the tests
446557f vim: several improvements + cleanup
9152678 Fixed #2229 - Red Hat init script error
b5a8c4d Fix #1907 (or sort) - 'require' puppet function
74730df #2332: Remove trailing slashes from path commands in the plugin
1a89455 Changing the preferred serialization format to json
0de70b7 Switching Queueing to using JSON instead of YAML
7b33b6d Adding JSON support to Catalogs
c0bd0aa Providing JSON support to the Resource class
c16fd1b Adding a JSON utility module for providing Ruby compat
f059c51 Adding JSON support to Puppet::Relationship
7f322b3 Adding a JSON format
7666597 Allowing formats to specify the individual method names to use
d40068f Allowing formats to specify the methods they require
024ccf5 Adding a "json" feature
c8b382d Fix some tests who were missing some actions
f9516d4 Make sure virtual and rails query use tags when tag are searched
b5855ec Make sure resources are tagged with the user tag on the server
d69fffb Fix #2246 - Array tagged resources can't be collected or exported
6ce0d1e Partial fix for #2329
4f2c066 Removed extra whitespace from end of lines
97e6975 Changed indentation to be more consistent with style guide (4 spaces per level)
41ce18c Changed tabs to spaces without interfering with indentation or alignment
f3b4092 Fix #2308 - Mongrel should use X-Forwarded-For
7b0413e Fixes Bug #2324 - Puppetd fails to start without rails
48d5e8c Enhance versioncmp documentation
ef56ba5 * provider/augeas: minor spec test cleanup
d322329 * provider/augeas: allow escaped whitespace and brackets in paths
9735c50 * provider/augeas: match comparison uses '==' and '!=' again
dbfa61b * provider/augeas (process_match): no match results in empty array
386923e * provider/augeas: remove useless checks for nil
171669a * provider/augeas: simplify evaluation in process_get/match
51cc752 * provider/augeas (open_augeas): use Augeas flag names, not ints
4951cdf * provider/augeas: ensure Augeas connection is always closed
0d5a24d * provider/augeas: minor code cleanup
cea7bb5 * provider/augeas (parse_commands): use split to split string into lines
95bd826 * provider/augeas: remove trailing whitespace (no functional change)
7c5125b Brought in lutters parse_commands patch and integrated it into the type.
6ce8154 Removed --no-chain-reply-to in rake mail_patches task
4ef7bba Removing --no-thread from the mail_patches rake target
508934b Fixing a bunch of warnings
fb0ed7a Fixing tests broken by a recent fix to Cacher
650029e Always providing a value for 'exported' on Rails resources
f1dba91 Fixing #2230 - exported resources work again
5522eb8 Disabling the catalog cache, so puppetqd is compatible with storeconfigs
abbb282 Fixing the rails feature to be compatible with 2.1+
907b39b Using Message acknowledgement in queueing
42247f0 Fixing #2315 - ca --generate works again
d7be033 Fix #2220 - Make sure stat is refreshed while managing Files
e4d5966 Added puppet branding to format patch command
00d5139 vim: Remove another mention of 'site' from syntax
9067abd vim: Highlight parameters with 'plusignment' operator
736b0e4 vim: Highlight strings in single quotes
ce01c95 vim: Clean up syntax spacing
3af2dbf JRuby OpenSSL implementation is more strict than real ruby one and
62534a1 Logging when a cached catalog is used.
ff5c44f Changing Puppet::Cacher::Expirer#expired? method name
e3d4c8e Fixing #2240 - external node failures now log output
bc1445b Fixing #2237 - client_yaml dir is always created by puppetd
e0c19f9 Fixing #2228 - --logdest works again in puppetd and puppetmasterd
ab34cf6 Fixing puppetmasterd tests when missing rack
9d5d0a0 Fixing the Agent so puppetrun actually works server-side
b0ef08b Fixing #2248 - --no-client correctly leaves off client
b83b159 Fixing #2243 - puppetrun works again
3d2189f Fixed #2304 - Added naggen script to directly generate nagios configuration files from a StoreConfigs Rails database
700ad5b Sync conf/redhat/puppet.spec with Fedora/EPEL
3ec3f91 Fixed #2280 - Detailed exit codes fix
f98d49f Fixing #2253 - pluginsync failures propagate correctly
d860a2f Fixing a transaction test that had some broken plumbing
a728757 Refactoring resource generation slightly
6e824d8 Adding a Spec lib directory and moving tmpfile to it
1d69dbf Extracting a method from eval_resource in Transaction
7650fb2 Not trying to load files that get removed in pluginsyncing
3995e70 Fix #2300 - Update ssh_authorized_key documentation
cb4a4d3 Changed version to allow Rake to work. Minor
99f666f enable maillist on centos, redhat, fedora
e13befa Fixing #2288 - fixing the tests broken by my attr_ttl code
a406d58 Fix for #2234: test fails with old Rack version
c189b46 Fixing #2273 - file purging works more intuitively
138f19f Caching whether named autoloaded files are missing
415553e Adding caching of file metadata to the autoloader
d489a2b Adding modulepath caching to the Autoloader
5f1c228 Adding caching to the Environment class
047ab78 Adding TTL support to attribute caching
6a413d2 Fixed #2666 - Broken docstring formatting
469604f Deprecating factsync - pluginsync should be used instead
d39c485 Added spec and unit tests to the Rakefile files list and fixed CI rake tasks
e1a7f84 Added install.rb to Rakefile package task
e180a91 Fixed #2271 - Fix to puppetd documentation
4bf2980 Protecting Stomp client against internal failures
f4cb8f3 Adding some usability bits to puppetqd
a18298a Refactoring the stomp client and tests a bit
2771918 Relying on threads rather than sleeping for puppetqd
07ff4be Fixing #2250 - Missing templates throw a helpful error
7ce42da Fixing #2273 - CA location is set correctly in puppetca
e1779c7 RackXMLRPC: buffer request contents in memory, as a real string.
fb957cc Modules now can find their own paths
c608409 Moving file-searching code out of Puppet::Module
83ba0e5 Fixing #2234 - fixing all of the tests broken by my bindaddress fix
4f3a67f Fixing #2221 - pluginsignore should work again
2d580c2 Fix snippets tests failing because of activated storeconfigs
8c718c9 Fix failing test: file.close! and file.path ordering fix
17f2c7d Confine stomp tests to Stomp enabled systems
6a80b76 Fix some master failing tests
172422f Fix bug #2124 - ssh_authorized_key always changes target if target is not defined
f945b66 Fixing #2265 - rack is loaded with features rather than manually
5aef915 Added .git to pluginsignore default list of ignores
6db5e8d Cleanup of the Puppet Rakefile and removal of the requirement for the Reductive Build Library
5cc4910 Fix #1409 once again, including test
a6af5bf Added split function
0.25.0
======
b1eddbb Updated and created new CHANGELOG format
994d6e0 Adding tests for the #2599 fix
42ab73f Ticket #2525 don't fail find_manifest on invalid module names
a0f0dcc Updated permissions on test files
d45812b Refactoring tests to reduce code size, increase coverage, and make
aba2f66 This further normalizes the handling of init-style services (including
fb236a0 Combined fix for #2525, #2552 -- RedHat service issues
d40b942 Fixed #2589 - Renamed zfs delete to destroy and added tests
4aa7fce Monkey patch to improve yaml compatibility between ruby versions
1f6c74d Fixed typo in parser test
2e9b706 Updated Red Hat spec file and RH patches for 0.25.0.
19815dd Fixing #2592 - you can escape slashes in regexes
ea58478 Fixing #2590 - modulepath is not cached inappropriately
1a3d0c8 Fixed #2593: puppet init script status command not returning proper exit code
8dabc72 Update documentation string to reflect actual intent of Puppet::Node::Facts::Rest
b30a3c7 Fixes #2581. Use new 10.6 global launchd overrides file for service status/enabled
7f05469 Fixed Naginator link
e589cd3 Fixing #2582 - / no longer autorequires /
3342b73 Fixing #2577 - clarifying and demoting the deprecation notice
d397f8d Fixing #2574 - autoloading finds plugins in modules
800a78b The first regex node now matches first
6750aeb Fixing #2563 - multiple regex nodes now work together
b728b93 Fixes #724 - false is equivalent to 'ruby -W1'
a9d5863 Fix parser error output
ee4f6ba Fixing #2551 - fixing content changed logs
c8f859e Fix for test isolation portion of Ticket #2511
6fa9271 Fixing #2549 - autoloading of top-level classes works again
c752680 Fixing a heisenbug resulting from a race condition
ea417d6 Fixing #2460 - puppetmasterd can now read the cert and key
a49915a Not using the service user in settings when it's unavailable
14ec838 Explicitly loading all facts in the directory service provider
5ee6602 Adding an 'exists?' delegator from user type to provider
06fcece Switching the owner/group settings to use symbolic values
4eb325a Fixing the yamldir group to be a group instead of user
058514a Moving Setting classes into separate files
b0f219a Removing chuser on darwin restriction
7f749cb Fixing a ruby warning in the authstore test
c0da3bf Fixing #2558 - propagating recent fileserving changes
ff39bc7 Fixes #2550 Handles case where metadata is nil
47dee83 Ticket 2559 -- parseonly ignored specified file
a4f6896 Fixed #2562 - Recognize the usecacheonfailure option again
e408d6c Refactoring the Module/Environment co-interface
796ba5c Fixing #1544 - plugins in modules now works again
6bd3627 Adding a global cleanup to the spec_helper
0ef5f22 Removed misguided case sensitivity tests
c1967bb Fixes #2513. debian service provider now uses invoke-rc.d to determine enabled? status
7e09247 Fixing fact-missing problem when puppet.conf is reparsed
a35e9bf Fix for #2531; adds tests to confirm problem and related cases,
299eadb Fixed #2530 - Fixed status setting in the SMF provider
e6a7e82 Fixed spec typo
75c6e4a Fixes #2493
b62d966 conf/redhat/*.init: Fix condrestart/try-restart
e9fbd4c conf/redhat/client.init: Fix #2123, status options on older RHEL
0461a02 Updates to Solaris smf files to reflect new binary locations
55a9cdb Fix #2517 - Stack overflow when CA cert missing
601a2e5 Fix #2516 - Fix format detection when content-type contains charset
d86bc88 Fix #2507 - Add missing integration tests
aad3b76 Fix #2507 - Exported resources were not correctly collected.
63cb1ad Fixes #2503
c129f2a Fixes #2360 - Removed annoying log message
b1ffffa Fixed #2525 - Wrong method being overridden in Red Hat services
a88fc4d Fixing more tests broken from missing libraries
9a356ab Fixing ActiveRecord Indirector tests to skip w/out Rails
acc5a96 Fixing #2489 - queue integration tests are skipped w/out json
1a5c5b3 Fixing #2508 - removing mention of ActiveRecord 2.3
0cb9072 Fixing #2541 - file cache is more resilient to failure
23948d0 vim: Mark puppetFunction values as contained
79a4339 Add shellquote() function.
79d705f Fixes #2499. Allows execs to specify an array for the returns parameter
b611c34 Updated fix for #2481
f385072 Revert "Fxied #2481 - Added status and restart overrides for Red Hat service provider."
cc379b6 Fixed #2498 - logcheck update
85a3633 Removed extraneous debugging
bf94de9 Updated two more tests
5b87dba Logs now assume resource params have metadata
1410bed Adding metadata delegation from param to resource
3ab3a5c Removing unnecessary debug output
488e368 Adding integration tests for #2371 (backup refactor)
f1406bf Adding many tests for #2371, and slightly refactoring
8f60f0c Fixes for Redmine 2371.
cd224c6 Fixes #2464, #2457. Deprecate reportserver for report_server. Add report_port setting. Add tests.
401a9ec Fixing #2484 - "format missing" messages are better
f6cc598 Fixes #2483 - Log only copies metadata from RAL objects
7c4c00f Fixed #2486 - Missing require 'monitor' in parser_support.rb
ea34ee6 Added R.I.Pienaar's extlookup.rb to the ext directory
36d3f58 Added example conf/puppet-queue.conf
967eb9f Fxied #2481 - Added status and restart overrides for Red Hat service provider.
c702f76 rack: SSL Env vars can be in Request.env or ENV
ca17b3c rack: don't directly use the forbidden HTTP_CONTENT_TYPE env var (fixes rack specification conformance)
a002e58 Removing old filebucket test
d8de446 Cleaning up tests for #2469
266aafa default server in remote filebuckets
1f8ef60 Fixes #2444 - Various JSON test failures
11c0fb7 Fixed #2294 - Classes sometimes cannot be found
7e5b562 Adding #2477 - puppet can apply provided catalogs
97274ad Fixing problems my Feature refactor caused
6fb8bf6 Fixing ruby warning in definition test
b3545fc Fixed global deprecation error in useradd Unit tests
dc24472 Adding a test for the Exec type
58d9587 Speeding a test up through stubbing
d4d8372 Fixing a small test by stubbing instead of mocking
f7e1c36 Fixing a test broken by the regex features
54a225d Fixing tests broken by caching autoload results
1ce31b4 Migrating Handler base tests from test/ to spec/
cc3f56a Migrating Feature tests to spec
21d1d25 Fixing cron test to match new behaviour
849fa67 Migrating tests to spec and removing an obsolete test
6f458cc Logging the configuration version we're applying
ac58e27 Configuration version information is now in logs
6ed0103 Adding support for an external catalog version
39320b8 Cleaning up duplication in another test file
25fae5f Removing duplication in the test structure
36c0662 Simplified Rakefile and moved tasks to tasks/rake directorya
b45ccf8 Implement node matching with regexes
58a73b5 Make sure node are referenced by their names
3ebf148 Enhance selector and case statements to match with regexp
ef68967 Fix #2033 - Allow regexp in if expression
17e62b1 Add AST::Regex, an AST leaf node representing a regex
4f9545f Add regexes and regex match operators to the parser
0ccd259 Add regex, match and not match token to the lexer
201ae59 Allow variable $0 to $9 to be interpolated, if ephemeral
f357a91 Implement ephemeral scope variables
d40ef29 Signed-off-by: Eric Sorenson <ahpook@gmail.com>
6d22afb Modifying the REST client error to make server errors more clear
21f477a Fixes #2472. Load Facter facts when ralsh is invoked, plus test.
2e41edb Update CHANGELOG.git
ebb5a1f Fixed ci_spec task for RubyGems 1.3.5
b6b903e Fixes #2461. Provide new and old code paths for macosx_productversion_major with deprecation warning
26b0c70 Fixing typo in two tests which caused them to always pass
76fc2b1 Fixing #2440 - catalogs can now be compiled on demand
832b6ff Exiting from app failures instead of raising
4ea3f17 Minimal patch to fix #2290 (/tmp permissions)
08ff9e8 Fix #2467 - rack: suggest putting puppet/lib at beginning of RUBYLIB search path
fb60f90 Fix #2465 - Default auth information is confusing with no auth.conf
0ca9b53 Fix #2459 - puppetdoc added namespace classes as RDoc modules instead of classes
18b5d61 Fix #2429 - vim: class/define/node should only be followed by whitespace
da828a4 Fix #2448 - fix the broken runit provider and tests
3898436 Fixed #2405 - Mount parameter "dump" doesn't accept all valid values on FreeBSD
9825bec Fixes #2362. Do not validate users/groups when supplied with numeric uid/gids
450a19c Fix #2454 - Definition named after a module don't show in puppetdoc
8551ece Fix #2453 - puppetdoc mixes long class names that look alike
e3ee594 Fix #2422 & #2433 - make sure puppetdoc transform AST::Leaf boolean correctly
b3b76df Fixing #2296 - overlapping recursions work again
9120712 Fixing mocks to remove warnings
eeec8e9 Fixing #2423 - no more strange dependency cycles
7d40f9e Fixing #2443: Adding debugging guidance to dep cycle errors
b4facb0 Fixing a test broken by changing the default os x package type
b418921 Fixing selinux tests broken in the fix for #1963
719e76b Fixing #2445 - fixing the mount test mock
f13f08d Minor fix to URL for LDAP nodes documentation
7c859a7 Fixing #2399 - removing client-side rrd graphs
f6d6145 Fixing #2421 - file renaming errors now propagate
db82523 Fixes #2438, get major OS X version from Facter and replace Puppet::Error invocations with fail builtin
22145e7 Update install.rb to cope with all OS X versions, not just 10.5
935c463 Fixing #2403 - provider specificity is richer and better
d95b687 Fix #2439 - let puppetdoc use loaded_code
ef5c4ae Fixed #2436 - Changed ralsh to use Puppet::Type.new and avoid deprecation notice
0c18013 Fixes #2430 - Stock apache2.conf for passenger incorrect
c383ceb Make pkgdmg default Darwin provider, make confines consistent on Darwin package providers.
98599c4 Convert to using sbindir for OS X packages, clean out previous executables in bindir
c659743 Fix #2425 - make sure client can contact CA server with REST
17205bb Fix #2424 - take 2, make sure default mounts allow every clients
f2c55cc Fix #2378 and #2391 tests
8bbd8b4 Fix #2424 - File server can't find module in environment
effaf80 Fix small typo in the fix for #2394
a06094e Feature #2378 - Implement "thin_storeconfigs"
b2a008e Fix #2391 - Exported resources never make to the storeconfigs db
8f82407 Fix #2261 - Make sure query string parameters are properly escaped
c86d44e Fixed #579 - puppet should try to clear solaris 10 services in maintenance state
910a5e2 Fix #1963 - Failing to read /proc/mounts for selinux kills file downloads
ba824e9 Fixing #2245 - provider lists are not lost on type reload
eb40966 Ruby no longer clobbers puppet autoloading
a42e878 deprecate NetInfo providers and examples, remove all NetInfo references and tests.
22f5632 Fixed #2410 - default acl logs as info instead of warn.
65b0137 Adding test for current auth config warning.
74f5ad4 Fixed #2394 - warn once on module mount deprecation.
f46a52a Add test for current module mount deprec warning.
858d333 Fixes #2258,#2257,#2256. Maintain correct type for integers/booleans, allow correct values, and fix rule array handling
44f127f Added Markdown mode to puppetdoc to output Markdown.
8a8ce9d Excluded directories from rcov coverage report
d152c5e Allow boolean value for boolean cli parameter
911b490 Fix #2364 - Associates the correct comment to the right statement
faefd92 Make sure the parser sees the correct line number
869ec27 Fix #2366 - puppetdoc was parsing classes in the wrong order
4c659b7 Added rcov coverage to Spec tests
1fd98b1 Fixes #2367 - Mongrel::HTTPRequest returns a StringIO object
8b09b83 Fix #2082 - puppetca shouldn't list revoked certificates
ea66cf6 Fix #2348 - Allow authstore (and REST auth) to match allow/deny against opaque strings
1e83aad Fix #2392 - use Content-Type for REST communication
aaca17a Fixed #2293 - Added cron syntax X-Y/Z and '7' for sunday
cddc365 Switching to LoadedCode from ASTSet
fc1f8cd Adding a special class to handle loaded classes/defines/nodes
325b8e4 Fix #2383, an incompatibility with early ruby 1.8 versions
46112da Fixing #2238 In some cases blank? is not available on String.
cdd1662 Fixing #2238 - Deal with nil hash keys from mongrel params
769c8aa Final fix to CI test rakes
a6816ff Set ENV['PATH'] to an empty string if non-existent
64a4720 Fix to CI rake tasks
5680cd5 Fixing #2197 - daemontools tests now pass
603b9cf Change the diff default output to "unified"
9bc9b5c Added missing colon to suntab
0f2d70d Fixed #2087 and refactored the code that gets the smf service state
0.25.0beta2
===========
3f070c1 Using the logging utilities to clean up module warnings
feb7f89 Fixing #1064 - Deprecating module 'plugins' directories
ccf4e69 Removing deprecated :pluginpath setting
4036de9 Fixing #2094 - filebucket failures are clearer now
ed876e0 Refactoring part of the file/filebucket integration
bd81c25 Adding tests for file/backup behaviour
c45ebfa Fixed pi binary so --meta option works and updated documentation
d2080a5 Fixing #2323 - Modules use environments correctly
b9e632f Fixed #2102 - Rails feature update fixed for Debian and Ubuntu
1c4ef61 Fixed #2052 - Added -e option to puppet --help output
d332333 Fix #2333 - Make sure lexer skip whitespace on non-token
5fbf63c Updated split function and add split function unit tests (courtesy of Thomas Bellman)
a585bdd * provider/augeas: strip whitespace and ignore blank lines
a94d2de Fixed pi tests
5f7455e Fixed #2222 - Cleanup pi binary options and --help output
134ae3e Fixing #2329 - puppetqd tests now pass
de55e19 Cleaning up scope tests a bit
e4ae870 Fixing #2336 - qualified variables only throw warnings
607b01e Fix #2246 - take2: make sure we run the rails tag query only when needed
06b919d Fix collector specs which were not working
2945f8d Make sure overriding a tag also produces a tag
e142ca6 Removed a unit test which tested munging which is no longer done in the type
d8ee6cf Clearn up a parsing error reported by the tests
446557f vim: several improvements + cleanup
9152678 Fixed #2229 - Red Hat init script error
b5a8c4d Fix #1907 (or sort) - 'require' puppet function
74730df #2332: Remove trailing slashes from path commands in the plugin
1a89455 Changing the preferred serialization format to json
0de70b7 Switching Queueing to using JSON instead of YAML
7b33b6d Adding JSON support to Catalogs
c0bd0aa Providing JSON support to the Resource class
c16fd1b Adding a JSON utility module for providing Ruby compat
f059c51 Adding JSON support to Puppet::Relationship
7f322b3 Adding a JSON format
7666597 Allowing formats to specify the individual method names to use
d40068f Allowing formats to specify the methods they require
024ccf5 Adding a "json" feature
c8b382d Fix some tests who were missing some actions
f9516d4 Make sure virtual and rails query use tags when tag are searched
b5855ec Make sure resources are tagged with the user tag on the server
d69fffb Fix #2246 - Array tagged resources can't be collected or exported
6ce0d1e Partial fix for #2329
4f2c066 Removed extra whitespace from end of lines
97e6975 Changed indentation to be more consistent with style guide (4 spaces per level)
41ce18c Changed tabs to spaces without interfering with indentation or alignment
f3b4092 Fix #2308 - Mongrel should use X-Forwarded-For
7b0413e Fixes Bug #2324 - Puppetd fails to start without rails
48d5e8c Enhance versioncmp documentation
ef56ba5 * provider/augeas: minor spec test cleanup
d322329 * provider/augeas: allow escaped whitespace and brackets in paths
9735c50 * provider/augeas: match comparison uses '==' and '!=' again
dbfa61b * provider/augeas (process_match): no match results in empty array
386923e * provider/augeas: remove useless checks for nil
171669a * provider/augeas: simplify evaluation in process_get/match
51cc752 * provider/augeas (open_augeas): use Augeas flag names, not ints
4951cdf * provider/augeas: ensure Augeas connection is always closed
0d5a24d * provider/augeas: minor code cleanup
cea7bb5 * provider/augeas (parse_commands): use split to split string into lines
95bd826 * provider/augeas: remove trailing whitespace (no functional change)
7c5125b Brought in lutters parse_commands patch and integrated it into the type.
6ce8154 Removed --no-chain-reply-to in rake mail_patches task
4ef7bba Removing --no-thread from the mail_patches rake target
508934b Fixing a bunch of warnings
fb0ed7a Fixing tests broken by a recent fix to Cacher
650029e Always providing a value for 'exported' on Rails resources
f1dba91 Fixing #2230 - exported resources work again
5522eb8 Disabling the catalog cache, so puppetqd is compatible with storeconfigs
abbb282 Fixing the rails feature to be compatible with 2.1+
907b39b Using Message acknowledgement in queueing
42247f0 Fixing #2315 - ca --generate works again
d7be033 Fix #2220 - Make sure stat is refreshed while managing Files
e4d5966 Added puppet branding to format patch command
00d5139 vim: Remove another mention of 'site' from syntax
9067abd vim: Highlight parameters with 'plusignment' operator
736b0e4 vim: Highlight strings in single quotes
ce01c95 vim: Clean up syntax spacing
3af2dbf JRuby OpenSSL implementation is more strict than real ruby one and
62534a1 Logging when a cached catalog is used.
ff5c44f Changing Puppet::Cacher::Expirer#expired? method name
e3d4c8e Fixing #2240 - external node failures now log output
bc1445b Fixing #2237 - client_yaml dir is always created by puppetd
e0c19f9 Fixing #2228 - --logdest works again in puppetd and puppetmasterd
ab34cf6 Fixing puppetmasterd tests when missing rack
9d5d0a0 Fixing the Agent so puppetrun actually works server-side
b0ef08b Fixing #2248 - --no-client correctly leaves off client
b83b159 Fixing #2243 - puppetrun works again
3d2189f Fixed #2304 - Added naggen script to directly generate nagios configuration files from a StoreConfigs Rails database
700ad5b Sync conf/redhat/puppet.spec with Fedora/EPEL
3ec3f91 Fixed #2280 - Detailed exit codes fix
f98d49f Fixing #2253 - pluginsync failures propagate correctly
d860a2f Fixing a transaction test that had some broken plumbing
a728757 Refactoring resource generation slightly
6e824d8 Adding a Spec lib directory and moving tmpfile to it
1d69dbf Extracting a method from eval_resource in Transaction
7650fb2 Not trying to load files that get removed in pluginsyncing
3995e70 Fix #2300 - Update ssh_authorized_key documentation
cb4a4d3 Changed version to allow Rake to work. Minor
99f666f enable maillist on centos, redhat, fedora
e13befa Fixing #2288 - fixing the tests broken by my attr_ttl code
a406d58 Fix for #2234: test fails with old Rack version
c189b46 Fixing #2273 - file purging works more intuitively
138f19f Caching whether named autoloaded files are missing
415553e Adding caching of file metadata to the autoloader
d489a2b Adding modulepath caching to the Autoloader
5f1c228 Adding caching to the Environment class
047ab78 Adding TTL support to attribute caching
6a413d2 Fixed #2666 - Broken docstring formatting
469604f Deprecating factsync - pluginsync should be used instead
d39c485 Added spec and unit tests to the Rakefile files list and fixed CI rake tasks
e1a7f84 Added install.rb to Rakefile package task
e180a91 Fixed #2271 - Fix to puppetd documentation
4bf2980 Protecting Stomp client against internal failures
f4cb8f3 Adding some usability bits to puppetqd
a18298a Refactoring the stomp client and tests a bit
2771918 Relying on threads rather than sleeping for puppetqd
07ff4be Fixing #2250 - Missing templates throw a helpful error
7ce42da Fixing #2273 - CA location is set correctly in puppetca
e1779c7 RackXMLRPC: buffer request contents in memory, as a real string.
fb957cc Modules now can find their own paths
c608409 Moving file-searching code out of Puppet::Module
83ba0e5 Fixing #2234 - fixing all of the tests broken by my bindaddress fix
4f3a67f Fixing #2221 - pluginsignore should work again
2d580c2 Fix snippets tests failing because of activated storeconfigs
8c718c9 Fix failing test: file.close! and file.path ordering fix
17f2c7d Confine stomp tests to Stomp enabled systems
6a80b76 Fix some master failing tests
172422f Fix bug #2124 - ssh_authorized_key always changes target if target is not defined
f945b66 Fixing #2265 - rack is loaded with features rather than manually
5aef915 Added .git to pluginsignore default list of ignores
6db5e8d Cleanup of the Puppet Rakefile and removal of the requirement for the Reductive Build Library
5cc4910 Fix #1409 once again, including test
a6af5bf Added split function
2dd55fc Fixing #2200 - puppetqd expects Daemon to be a class
c016062 Removing unneeded test stubs
1a2e1bc Fixing #2195 - the Server class handles bindaddress
df3a8f6 Minor fixes to function RST documentation
305fa80 Remove the old 0.24.x rack support, which is now useless cruft
d85d73c puppetmasterd can now run as a standard Rack application (config.ru-style)
d6be4e1 Add XMLRPC compatibility for Rack
6e01e7a Puppet as a Rack application
cc09c1a Use FileCollection to store the pathname part of files
d51d87e Add an unmunge capability to type parameters and properties
a1c0ae0 Fix #2218 - Ruby YAML bug prevents reloading catalog in puppetd
bf054e1 Fixes #2209 - Spec is failing due to a missing require
1c46205 Fix #2207 - type was doing its own tag management leading to subtile bugs
929130b Moved puppetqd binary
36d0418 Fixed #2188 - Added set require to simple_graph.rb
51af239 Fixed puppetqd require and tweaked stomp library error message
dc0a997 Fixes #2196 - Add sharedscripts directive to logrotate
4d3b54e Added puppetqd binary to Rakefile
1fee506 Updated version to 0.25.0beta1
0fbff61 Updates to CI tasks
aa6dcef Fixing #2183 - checksum buffer size is now 4096b
c0b119a Fixing #2187 - Puppet::Resource is expected by Rails support
5ec4f66 Adding an 'Exported' attribute to Puppet::Resource
adff2c5 Removing a non-functional and horrible test
606a689 Making sure the cert name is searched first
f489c30 Removing an "inspect" method that often failed in testing
93c3892 Removing deprecated concurrency setting usage in rails
6f8900d Always making sure graph edges appear first
3f7cd18 Reverting part of the switch to sets in SimpleGraph
bf46db7 Fixing rails feature test
5f6b5c0 Failing to enable storeconfigs if ActiveRecord isn't available
8ed7ae3 Fixing the Rails feature test to require 2.3.x
a0c1ede Modifying the Settings#handlearg prototype
284cbeb Fixes #2172 - service provider for gentoo fails with ambiguous suffixes
68ba1f1 SMF import support working and documentation update
f1f0a57 Fixes #2145 and #2146
ec478da Fix configurer to retrieve catalog with client certname
e623f8a Unify auth/unauthenticated request authorization system
037a4ac Allow REST auth system to restrict an ACL to authenticated or unauthenticated request
3ad7960 Fill REST request node with reverse lookup of IP address
c0c8245 Refactor rest authorization to raise exceptions deeper
aac996e Add environment support in the REST authorization layer
72e28ae Fix some indirector failing tests
dc1cd6f Fix #1875 - Add a REST authorization system
8523376 Enhance authconfig format to support uri paths and regex
22b82ab Add dynamic authorization to authstore
15abe17 Add RSpec unit tests for network rights
86c7977 Add RSpec unit tests for authconfig
f04a938 Adding support for specifying a preferred serialization format
6a51f6f Fixing the FormatHandler test to use symbols for format names
b249f87 Fixing #2149 - Facts are passed as part of the catalog request
1cde0ae Adding better logging when cached indirection resources are used
828b1ea Fixing #2182 - SimpleGraph#walk is now iterative
9f32172 Fixing #2181 - Using Sets instead of Arrays in SimpleGraph
7a98459 Removing code that was backported and is now not needed
d06bd3e Finishing class renames
b694b3c Fixing tests that apparently only worked sometimes
93246c0 Removing the old rails tests.
5cb0f76 Fixing some rails tests that sometimes failed
bdbf9db Added class_name tags to has_many relationships
2e62507 Adding time debugging for catalog storage to active_record
a705809 Adding defaults necessary for queueing
8a67a5c Adding daemonization to puppetqd
fcd1390 Adding Queueing README
9b90f34 Using a setting for configuring queueing
444ae9f Adding puppetqd executable.
22ae661 Adding "rubygems" and "stomp" features
efe6816 Removing unnecessary parser variables when yaml-dumping
a3b1e8c Add queue indirection as an option for catalog storage.
bccfcc9 Introduce abstract queue terminus within the indirection system.
7947f10 Introduce queue client "plugin" namespace and interface, with a Stomp client implementation.
80dc837 renaming a method
f7ccaaa Adjusted parameter name and puppet tag classes to use new cache accumulator behavior for storeconfigs.
75f1923 Initial implementation of a "cache accumulator" behavior.
bab45c4 Saving rails resources as I create them, which saves about 10%
7a91e1f Changing rails value serialization to deal with booleans
c30ede5 Adding equality to ResourceReference
589f40f Adding some more fine-grained benchmarks to Rails support
042689e Adding a Rails-specific benchmarking module
89d9139 Adding simplistic param_name/puppet_tag caching
ea4e3b2 Adding more time debugging to Rails code, and refactoring a bit
6314745 Refactoring the Rails integration
be30a61 Adding a common Settings method for setting values
863c50b Switching to Indirected ActiveRecord
a137146 Adding ActiveRecord terminus classes for Catalog
b9c95eb Adding ActiveRecord terminus classes for Node and Facts.
8d0e997 Fixing #2180 - Catalogs yaml dump the resource table first
4e0de38 Partially fixing #1765 - node searching supports strict hostname checking
c1f562d Removing unused Node code
e6b4200 Fixing #1885 - Relationships metaparams do not cascade
50e0f3d Fix #2142 - Convert pkgdmg provider to use plists instead of string scanning for future proofing
c1be887 Fixing #2171 - All certificate files are written with default perms
e2201d6 Fix #2173 - fix running RSpec test by hand
424c87b Fix #2174 - Fix RSpec rake targets
7ab7d9f Fixing #2112 - Transactions handle conflicting generated resources
84e6c1b Adding another stacktrace for debugging
4793334 Fixing puppet -e; it got broken in the move to Application
7398fa1 Partially fixing #2029 - failed caches doesn't throw an exception
88ff9c6 Fixing #2111 - SimpleGraph only creates valid adjacencies
36594fe Switching to new() in the Puppet::Type.instances() class method
edcbab5 Removing duplicate method definition from SimpleGraph
d8eaca8 mini daemon to trigger puppetrun on clients without puppet listen mode
d2c417e Fix #2113 - Make temp directory
916dd60 Fixed rspec gem at version 1.2.2
57b37e5 Add @options to test run call, for compatibility with more recent rspec versions.
173b5f0 Adding #2122 - you can specify the node to test with puppet-test
0863a79 Adding #2122 - you can specify the node to test with puppet-test
a677e26 Fixing all tests that were apparently broken in the 0.24.x merge.
e016307 Fixing Rakefile; apparently there was a rake or gem incompatibility
a43137c More RST fixes
843cc6e Fixed RST for functions
6160aaf In order for ReST formatting to work properly, newlines and
62dad7a Fix #2107 - flatten resource references arrays properly
cbee426 Fix #2101 - Return to recurse=0 == no recursion behavior
3b4816b Fix #2101 - fix failing test
f089e11 Fix #2101 - fix recurselimit == 0 bad behaviour
1b4eae7 Added rake ci:all task
d125937 Added rake ci:all task
3f61df8 Fixed #2110 - versioncmp broken
c62c193 Updated to version 0.24.8
aa00bde Fixing #1631 - adding /sbin and /usr/sbin to PATH
39deaf3 Fixed #2004 - ssh_authorized_key fails if no target is defined
dcf2bf2 Changelog entries for #1629 and #2004
bbcda1d Fix Bug #1629
69a0f7d Fix #1807 - make Puppet::Util::Package.versioncmp a module function
081021a Fix #1829 - Add puppet function versioncmp to compare versions
2b33f80 Fixed install.rb typo
5ab63cd Updated lib install permissions to 0644
830e1b1 CHANGELOG updates
3e0a9cd Moved of puppetd, puppetca, puppetmasterd, puppetrun binary from bin to sbin
6ddebf4 Fixed #2086 - Fixes to make building tarballs easier
33d3624 Fix #1469 - Add an option to recurse only on remote side
77ade43 Forbidding REST clients to set the node or IP
0179e94 Fixing #1557 - Environments are now in REST URIs
a497263 Adding explicit optional attribute to indirection requests
3e95499 Removing an unused source file
97975e1 Adding a model accessor to the Request class
b6116fe Requests now use default environment when none is specified
15740fe Moving the REST API functions into a module
ef4fa68 Using the Handler for the REST api on both sides of the connection
8b13390 Adding REST::Handler methods for converting between indirection and uris
edf00db Adding environment support to the REST URI
a064ed1 Moving the query_string method to Request
ff9c3ca Adding tests for the REST query string usage
87ec08e Fixing #2108 - pi should work again
af4455e Fix #1088 - part2 - Add rspec tests
b15028f Fix #1088 - Collections overrides
b24b9f5 Fixed #2071 - Updated LDAP schema
88aa1bc Fixing tests broken in previous commits
f8dea98 Fixing #1949 - relationships now use attributes instead of a label
d0fc2f5 Correctly handling numerical REST arguments
90afd48 Not passing file sources on to child files
858480b Correctly handling non-string checksums
27aa210 Removing unnecessary calls to expire()
5329b8a Passing checksums around instead of file contents
71e4919 Moving default fileserving mount creation to the Configuration class
09bee91 Fixing #2028 - Better failures when a cert is found with no key
cf1cb14 Moving the clientyamldir setting into the puppetd section
5f73eb5 Fixed #1849 - Ruby 1.9 portability: `when' doesn't like colons, replace with semicolons
e40aea3 Fixed metaparameter reference to return str
5df9bad Fixed #2016 - Split metaparameters from types in reference documentation
7e207a1 Fixed #2017 - incorrect require
417b5a5 Fixing #1904 - aliases are no longer inherited by child files
c0d5037 Removing or fixing old tests
262937f Correctly handling URI escaping throughout the REST process
b800bde Refactoring how the Settings file is parsed
d7864be Relying on 'should_parse_config' in the 'puppet' application
bd8d097 Providing better indirection authorization errors
d3bc1e8 Adding pluginsyncing support to the Indirector
00726ba Moving Request and Fileset integration into Fileset.
058266f Switching the ModuleFiles Indirection terminus to the new Module/Env api
19b8534 Migrating the old FileServer to the new Module/Environment code
1be7c76 Using the Environments to handle a lot of Module searching
2b4469d Environments now use their own modulepath method.
94de526 The 'Environment' class can now calculate its modulepath.
2573ef1 Added support for finding modules from an environment
9c18d5a Adding support for finding all modules in a given path.
4b5ec82 reformatting the environment tests
458642b Supporting multiple paths for searching for files.
eec1cad Adding support for merging multiple filesets.
bdf3a80 Adding new methods to Puppet::Module.
a7be174 Refactoring Puppet::Module a bit.
7ceb437 Only using the checksum cache when we're using a host_config catalog
5fd182d Fixing fileserving to support strings or symbols
7bc41ce Adding clarity to query string handling in REST calls
992231a Some small fixes to provide better debugging and load a library
0304a78 Providing better information when an exception is encountered during network communication
4a7cba3 Stubbing tests that were affecting other tests
3105b5b Fixing a warning in a test
c854c59 Fixing a syntactically invalid application test
0f43fd6 Move --version handling to Puppet::Application
156fb81 Move puppetd to the Application Controller paradigm
0c71c5c Move puppetdoc to the Application Controller paradigm
e317fa9 Move ralsh to the Application Controller paradigm
81f5438 Move puppetrun to Application Controller paradigm
3390d8d Move pi to the Application Controller paradigm
8265d6e Move puppetmasterd to Puppet::Application
af219bf Move puppet to the Application Controller paradigm
d51398c Move filebucket to the Application Controller paradigm
9b9e5e8 Move puppetca to the Application Controller paradigm
97e716a Introducing the Application Controller
495ad66 Fixing broken filetype tests resulting from the loss of Type[]
21a714a Fixing some tests that somehow broke in the merge to master
327ee17 Removing a test that was too dependant on order.
487b9b1 Failure to find node facts is now a failure.
610c838 Fixing #1527 - Failing Facter does not hurt Puppet
a2eca6c Removing some unused code
cb0a083 Using Puppet::Type.new instead of create
84bd528 Actualling syncing facts and plugins
d5abdfb Fix #1933 - Inconsistent resource evaluation order in subsequent evaluation runs
9bac833 Adding README.rst file
916abc2 Changing how the Configurer interacts with the cache
5335788 Fixing tests broken during the #1405 fix.
08a5d49 Adding an Agent::Runner class.
c7d178d The Agent now uses its lockfile to determine running state
c0fcb21 Creating and using a new Puppet::Daemon class
700e823 Not using 'master' client for testing
4b7023e Fixing (and testing) the return of Indirection#save
8dc0005 Adding a 'close_all' method to the Log class.
37d1a7c Removing restart-handling from Configurer
bf3c72e Adding temporary class EventManager
fc14b81 Splitting the Agent class into Agent and Configurer
e8be6dc Removing the Hash default proc from SimpleGraph.
6bb804f Removing the Catalog's @aliases hash default value
502e062 Removing an erroneous configuration call in puppetmasterd
337057a Removing obsolete code and tests for the agent.
d53ad31 Converting the catalog as needed
f38277f Adding REST support for facts and catalogs.
c48525b Adding better error-handling to format rendering
b93a642 Resetting SSL cache terminii to nil when only using the ca
212b3e3 Allowing the Indirection cache to be reset to nil
5a83531 Moving the Agent locking code to a module.
b672790 Cleaning up SSL instances that can't be saved
f78a565 Only caching saved resources when the main save works
5434459 Moving classfile-writing to the Catalog
e65d7f1 Refactoring how the Facter integration works
6b4e5f4 Reformatting tests for facts
54faf78 Moving fact and plugin handling into modules
9d76b70 Removing the Agent code that added client-side facts
a5c2d7a Adding Puppet client facts to Facter facts.
b99c6b5 Clarifying how node names are used during catalog compilation
8b44d6f Reformatting Indirector catalog compiler tests
e770e7a Removing ConfigStore code that was never actually used.
37692e5 Renmaing Puppet::Network::Client::Master to Puppet::Agent
15d8768 Revert "Adding the first bits of an Agent class."
63fb514 Revert "This is work that I've decided not to keep"
8f5cbc3 This is work that I've decided not to keep
25b28c5 Adding a new Agent::Downloader class for downloading files.
1afb821 Adding the first bits of an Agent class.
2afff60 Adding support for skipping cached indirection instances.
361db45 Change the way the tags and params are handled in rails
62cdeaa Add methods to return hash instead of objects to params and tags
3acea41 Rails serialization module to help serialize/unserialize some Puppet Objects
10bf151 Fixing #1913 - 'undef' resource values do not get copied to the db
500ea20 Fixing #1914 - 'undef' relationship metaparameters do not stack
1407865 Revert "Fixed #1916 - Added environment option to puppetd"
8d0086b Fixed #1916 - Added environment option to puppetd
a065aeb Fixed #1910 - Updated logcheck regex
fa9dc73 Typo fix
7c8094c Fixed #1879 - Added to tidy documentation
f40a6b1 Fixed #1881 - Added md5lite explanation
6af3179 Fixed #1877 - Tidy type reference update for use of 0
a5b0a75 Fix autotest on win32
234a035 Fix #1560
fb8f8cd In order for ReST formatting to work properly, newlines and
69432d6 Fix Bug #1629
1f6dce5 Fix #1835 : Add whitespace/quote parsing to
8142981 Fix #1847 - Force re-examination of all files to generate correct indices
d2d3de5 Fix #1829 - Add puppet function versioncmp to compare versions
bdee116 Fix #1828 - Scope.number? wasn't strict enough and could produce wrong results
d69abfe Fix #1807 - make Puppet::Util::Package.versioncmp a module function
34335b7 Fixed #1840 - Bug fixes and improvements for Emacs puppet-mode.el
3b8a77d Fix #1834 part2 - Fix tests when no rails
b6e34b7 Fix #1834 part1 - Fix tempfile failing tests
566bf78 Fixing #1729 - puppetmasterd can now read certs at startup
0cf9dec Canonicalizing Setting section names to symbols.
0fc0674 Fixing all of the test/ tests I broke in previous dev.
e4ba3db Deprecating the Puppet::Type.create.
b6db545 Deprecating 'Puppet.type'; replacing all instances with Puppet::Type.type
89c25ad Finishing the work to use Puppet::Resource instead of TransObject
1c7f8f6 Adding name/namevar abstraction to Puppet::Resource.
e601bab Supporting a nil expirer on cacher objects.
f69ac9f Setting resource defaults immediately.
352d7be Refactoring the Settings class to use Puppet::Resource
91ff7c1 TransObject is nearly deprecated now.
fae3075 Simplifying the initialization interface for References
14c3c54 Replacing TransObject usage with Puppet::Resource
60062e4 Renaming the "Catalog#to_type" method to "Catalog#to_ral"
6b14000 Using Puppet::Resource to convert parser resources to RAL resources
e3b1590 Adding resource convertion to the parser resources
c306a17 Adding equality testing to Puppet::Resource::Reference
48a9949 Correcting whitespace and nested describes in Puppet::Resource::Catalog
d48fff6 Renaming Puppet::Node::Catalog to Puppet::Resource::Catalog
c927ce0 Renaming Puppet::ResourceReference to Puppet::Resource::Reference
e88746b Adding Trans{Object,Bucket} backward compatibility to Puppet::Resource
832198f Starting on #1808 - Added a base resource class.
820ff2e Removing the "clear" from the macauthorization tests
89e9ef7 Fix #1483 - protect report terminus_class when testing for REST
435f1e9 Fix #1483 - use REST to transmit reports over the wire
6b30171 Fixing all broken tests. Most of them were broken by fileserving changes.
f73e13e Adding more file tests and fixing conflicting tests
cc12970 Completely refactoring the tidy type.
720dcbe Cleaning up the tidy type a bit
053d7bf These changes are all about making sure file data is expired when appropriate.
a8d9976 Catalogs always consider resource data to be expired if not mid-transaction.
8b08439 Properly cleaning up ssl ca configuration during testing
73fa397 Adding caching support to parameters, and using cached attributes for file source and metadata.
0ecbf79 Adding cached attribute support to resources.
29b9794 Allowing a nil expirer for caching classes.
cd09d6b Refactoring the Cacher interface to always require attribute declaration.
14af971 Changing the Cacher.invalidate method to Cacher.expire.
99a0770 Fixing a critical bug in the Cacher module.
fe0b818 Fixing tests broken by fileserving and other refactoring.
eed37f7 Fixing a test broken by previous refactoring
45c6382 Finishing the refactoring of the resource generation interface.
0840719 Refactoring and clarifying the resource generation methods.
cc04646 Refactoring Catalog#add_resource to correctly handle implicit resources.
a73cad9 Adding SimpleGraph#leaves, which I apparently did not migrate from PGraph
2a685f9 Removing mention of obsolete edgelist_class from GRATR.
7e20f06 Changing the catalog's relationship graph into a normal graph.
2ba0336 Removing the PGraph class and subsuming it into SimpleGraph.
e92c1cc Moving Catalog#write_graph to SimpleGraph, where it belongs.
0149e2e Converting the file 'source' property to a parameter.
35c623e Removing mid-transaction resources from the catalog.
f4800e8 Adding a method to Checksums to extract the sum type
44fadd1 Aliasing "must_not" just like we alias "must"
a9dbb5d Deduplicating slashes in the fileserving code
bb6619a Fixing the augeas type tests to work when augeas is missing
e728873 Reducing the number of calls to terminus() to reduce interference with caching
aa8d091 Switched all value management in props/params to internal classes.
e5b5033 Fixing #1677 - fixing the selinux tests in master.
77d73e0 Changing the meaning of the unused Puppet::Type#parameter method to return an instance
05e1325 Moving a file purging test to rspec
6f7ccff Fixing #1641 - file recursion now only passes original parameters to child resources.
a4d4444 Removing obsolete methods and tests:
b4f4866 Making it so (once again) files with sources set can still be deleted
caf15c2 Fixing and migrating more file tests.
cccd838 Adding a starting point for spec tests for tidy.
255c9fb Setting puppetmasterd up to serve all indirected classes.
7fdf2bb Retrieving the CA certificate before the client certificate.
a00c1f2 Handling the case where a symbol (e.g., :ca) is used for a certificate name.
cf3a11c Fixing :bindaddress setting to work with the new server subsystem.
a78c971 Fixing CertificateRequest#save to accept arguments.
e70c1a0 Fixing forward-compatibility issues resulting from no global resources
4596d2d Fixing a test I broke when fixing a reporting bug
9742c26 Fixing resource aliasing to not use global resource aliasing.
1b517d2 Adding comments to Puppet::Util::Cacher
7a6d9b1 Removing obselete code from the file type.
1b512a9 Merged fsweetser's selinux patch against HEAD
e31df2f Removing files that git wasn't smart enough to remote during a merge.
ac5db5e Removing the old, obsolete recursion methods.
a9b7f08 As far as I can tell, recursion is working entirely.
b69c50c Removing insanely stupid default property behaviour.
45f465b Source recursion is nearly working.
93fc113 Files now use the Indirector to recurse locally.
bd1163a Fixing filesets to allow nil ignore values.
5da2606 Recursion using REST seems to almost work.
ee1a85d Mostly finishing refactoring file recursion to use REST.
7c68fdb Fixing FileServing::Base so that it can recurse on a single file.
ac41987 Fixing the terminus helper so it correctly catches options passed from clients via REST.
be4c0e7 The file source is now refactored and uses REST.
44c6a52 Removing mention of an obselete class.
8271424 One third done refactoring file[:source] -- retrieve() is done.
98ac24a Adding a "source" attribute to fileserving instances.
6e43c2d Aliasing RSpec's :should method to :must.
8b45d13 Adding automatic attribute collection to the new fileserving code.
6ed8dfa Adding the content writer to the content class.
92e144b Fixing a test in the module_files terminus
151a54f Causing format selection to fail intelligently if no suitable format can be picked.
deda646 Removing the last vestiges of the 'puppetmounts' protocol marker.
30dea68 Adding a 'plural?' method to the Indirection::Request class.
40e76fb Fixing the rest backends for webrick and mongrel so the get the whole request key.
8ea25ef Refactoring how files in FileServing are named.
550e3d6 Finishing the rename of FileBase => Base.
90e7022 Adding weights to network formats, and sorting them based on the weight.
5a195e0 Renaming FileServing::FileBase to FileServing::Base.
3101ea2 Adding a hackish raw format.
89a3738 Adding suitability as a requirement for a format being supported.
a0bda85 Removing the yaml conversion code from FileContent.
6335b14 Causing the Indirection to fail if a terminus selection hook does not return a value.
1104edb Correcting whitespace in a test
2f224c9 Spell-correcting a comment
bcd40fb Cleaning up an exception.
0a05720 FileServing Configurations now expect unqualified files.
237b7b2 Fixing whitespace in docs of some tests.
91b8252 Fixing the fileserving terminus selection hook.
f5ba99f Special-casing 'file' URIs in the indirection requests.
a215aba Dividing server/port configuration responsibility between the REST terminus and the indirection request.
d174605 Fixing a test that relied on hash ordering.
7034882 Adding parameter and URL support to the REST terminus.
c819042 Fixing the String format (fixes #1522).
78bc32d Removing dead-end file work as promised.
a5ab52c Adding files temporarily, since I've decided this work is a dead-end.
4f275b6 Fixing #1514 - format tests now work again.
025edc5 puppetd now uses the Indirected SSL.
62202bf Adding 'require' statements as necessary for Puppet::SSL to work.
86a7188 Fixing the SSL::Host#waitforcert method.
a31c578 Adding logging when files are removed.
09ee814 Removing now-obsolete the wait-for-cert module.
cd314fa Documenting a bit of a test
113d74a Certificates now work over REST.
2cad30a Caching the SSL store for the SSL Host.
93fd55f Enhancing formatting errors with class and format.
6c80e0f Making all certificates only support the plaintext format.
c464bf2 Adding wait_for_cert functionality to the ssl host class.
c854dbe Adding a plaintext network format.
818599d lazy load latest package definitions with yumhelper 2.2
8457856 Fixing a group test that failed after merging 0.24.x
c2c8941 Correctly handling when REST searches return nothing.
186f3cd Removing an obsolete method from the rest indirector
29d704c The REST formats are now fully functional, with yaml and marshal support.
c55acee Adding some support for case insensivity in format names.
8033bd4 Moving validation from FormatHandler to Format.
3405841 Moving functionality out of the FormatHandler into the Format class.
43a6911 Searching again works over REST, including full content-type translation.
1064b5b Fixing the format_handler tests so that they clean up after themselves.
167831e Fixing a test I broke while rebasing
e78b1a6 Fixing a test to be order-independent.
352e2d0 Adding rudimentary support for directly managing formats.
55e2944 Adding support for rendering and converting multiple instances.
4632cfd All error and format handling works over REST except searching.
e3350ca Drastically simplifying the REST implementation tests.
b3914c3 Removing an apparently-obsolete hook from the handler
739a871 Adding explicit tests for the HTTP::Handler module.
0ce92f1 The REST terminus now uses the content-type and http result codes.
a4170ba Removing a now-obsolete pending test.
bf5b086 The REST terminus now provides an Accept header with supported formats.
1f15725 Using the FormatHandler in indirected classes automatically.
0e7e16d Adding a FormatHandler module for managing format conversions.
93eeff5 Fixing the user ldap provider tests
00b7da3 Fixing the new-form version of #1382.
c542dc0 Fixing #1168 for REST -- all ssl classes downcase their names.
eaa6eab Fixing #1258 -- Removing a Rails idiom.
eb5e422 Fixing #1256 -- CA tests now work with no ~/.puppet.
66c36f0 Fixing another failing test -- the new CA tests correctly clear the cache.
447507c Fixing #1245 -- ssh_authorized_keys tests work in master.
6f533d1 Fixing #1247 -- no more clear_cache failures.
3cb0d60 Fixing how the mongrel server sets up xmlrpc handlers.
6efe400 Using the new Cacher class for handling cached data.
68d8d0a Adding a module for handling caching information.
e936ef2 Fixing some broken tests.
1cfb021 The CRL is now automatically used or ignored.
0365184 Removing obsolete tests
3303590 The master and client now successfully speak xmlrpc using the new system.
8fd68e3 Adding pidfile management and daemonization to the Server
dd4d868 Fixing the HttpPool module to get rid of an infinite loop.
57c7534 Adding REST terminuses for the SSL-related indirections.
d78b4ba Adding autosigning to the new CA.
a822ef9 Moving the CA Interface class to a separate file.
38e2dcf The master is now functionally serving REST and xmlrpc.
6e0d6dd The REST infrastructure now correctly the SSL certificates.
51ce674 Fixing the webrick integration tests to use the newly-functional
62f1f5e The Certificate Authority now automatically creates a CRL when appropriate.
e57436f The Settings class now clears the 'used' sections when a value is changed.
137e29f Moving some http configuration values to the main
a3b8804 The http pool manager now uses new-style certificate management.
e596bc5 Fixing some tests that were insufficiently mocking their configurations.
160f9d9 Fixing a critical problem in how CRLs were saved and moving SSL Store responsibilities to the SSL::Host class.
ce6d578 The SSL::Host class now uses the CA to generate its certificate when appropriate.
67dc268 The CA now initializes itself.
6356c04 Switched puppetmasterd to use the new-style server plumbing.
4c590df Adding xmlrpc backward compatibility to the new Mongrel code.
31b79fa Adding xmlrpc support to webrick.
7a876ed Fixing some whitespace
7267341 Adding configuration support for XMLRPC handlers.
8c9b04d I think I've now got the Webrick SSL support working.
83519f4 Interim commit, since I want to work but have no network available.
58fb416 Changing the File certificate terminus so that it
79ca444 Renaming the 'ca_file' ssl terminus type to 'ca'.
a116d10 Temporarily disabling the revoke/verify test in the CA.
d87e018 Fixing how the CRL is used for certificate verification.
6c539c0 Fixing puppetca so it uses the :local ca setting.
ebdbe48 Added an Interface class to the CA to model puppetca's usage.
934fbba Making the SSL::Host's destroy method a class method,
d4813f1 Adding the last functionality needed for puppetca to use the Indirector.
809fc77 Finishing the interface between the CA and the CRL.
16056a2 Adding inventory support to the new certificate authority.
d498c4a Adding support within the inventory for real certs or Puppet cert wrappers.
67f9d69 Changing the Inventory class to rebuild when the
7cca669 Adding a comment to the inventory class.
98db985 Adding an SSl::Inventory class for managing the ssl inventory.
92a7d76 All SSL terminus classes now force the CA information into the right place.
fb56dea Switching the SSL::Host class to return Puppet instances.
f7e0990 Setting the expiration date of certificate objects to the expiry of the actual
71db9b5 Adding integration tests for a lot of the SSL code.
e5c4687 Moving the password file handling into the SSL::Key class.
d8bb81e Moving all of the ca-specific settings to the ca_file
cbe5221 Adding SSL::Host-level support for managing the terminus and
c5f0eff Fixing the CA so it actually automatically generates its certificate.
3d24b12 The certificate authority now uses a Host instance named 'ca'.
daa8cd5 Changing all of the SSL terminus classes to treat CA files specially.
7d2c05e The 'destroy' method for the ssl_file terminus base class
7555af6 Marking a test as pending, because it's not ready yet.
c19c9d4 Removing all the cases where the ssl host specifies
054e4e4 Making the first pass at using requests instead of
6900f97 Adding a :to_text method that will convert the contained
174b9c9 Actually signing the certificates in the CA.
546ac97 Adding the first attempt at managing the certificate
c98ad25 Adding a :search method to the ssl_file terminus type
d184b35 Fixing a failing test that had not been updated from previous coding
b9d6479 We have a basically functional CA -- it can sign
1efed03 Adding tests for the easy bits of the CertificateFactory.
ee07d0b Adding tests for the certificate serial numbers
dc5c73b The certificate authority is now functional and tested.
a776a12 refactoring the cert request test a bit
7641bd4 This is a first pass at the certificate authority.
0f46815 It looks like all of the new ssl classes for managing
00e35bc Adding he last of the indirection classes for the ssl
8347b06 The certificate and key are now correctly interacting
50f3c18 Removing obsolete indirection classes
ec5bdf3 The basics for the certificate and certificate request
bb87464 Fixing a couple of broken tests.
b0811ad The new SSL classes basically work, but they're not
3970818 Finished the certificate request wrapper class.
4ca6fd3 First stage of cert refactoring: Private
ef7d914 Oops; final fix on the integration test failures resulting
0ca0ef6 Fixing whitespace problems.
4640a3d Fixing an integration test of the rest terminus; it was
d738f31 Adding the necessary tests for webrick to have logging and
b49fb68 Fixing the tests in test/ that were broken as
5e78151 Fixing tests that were failing as a result of the merge,
bee9aba Environments are now available as variables in manifests,
b225e86 Fixing #1017 -- environment-specific modulepath is no
4ede432 Tidied the man page creation function and created "master" branch man pages
f335dc3 Updated defaults.rb to fix foru error stopping man page creation - links are not as neat as before but puppet.conf.man file will create neatly now.
c751058 Removed remaining elements of old_parse - closing Ticket #990
31e0850 Removed old configuration file behaviour and deprecation warning - closes ticket #990
4165eda More fixes to the testing.
cfda651 Another round of test-fixes toward eliminating global resource
488c437 Fixing automatic relationships. I was previously looking them
d8991ab Updated install.rb to product puppet.conf.man page - updating ticket #198
5a0388f Disabled new man page creation support
e5888af Added support for man page creation - requires rst2man.py and writer - closed ticket #198
5bef4a5 Another round of fixes toward making global resources work.
3cc3e0f Lots o' bug-fixes toward getting rid of global resources.
b7b11bd Fixing a couple of failing tests
aed51b4 Fixed puppet logcheck issues
7aa79e2 Revert "Fixed documentation for code option in defaults.rb"
f2991a2 Revert "Fixed indentation error in pkgdmg.rb documentation"
754129e Revert "Fixed issue where permissions are incorrectly set on Debian for /var/puppet/run directory"
20628ea Added patch to ext/logcheck/puppet to fix ticket #978
badf977 Fixed indentation error in pkgdmg.rb documentation
e6547f0 Fixed documentation for code option in defaults.rb
594a5a3 Fixed issue where permissions are incorrectly set on Debian for /var/puppet/run directory
9736b3c Updated for 0.24.0
99f9047 tweaking spec language; require Puppet::Network::HTTP class since it is referenced by Puppet::Network::Server
b38f538 Moving $PUPPET/spec/lib/autotest up to $PUPPET/autotest as something has changed and it can't be found otherwise.
e1abfac moving autotest directory to make it possible to run autotest again
0.24.8
======
02a503f Updated to version 0.24.8
cbc46de Fixing #1631 - adding /sbin and /usr/sbin to PATH
9eb377a Fixed #2004 - ssh_authorized_key fails if no target is defined
1b3fe82 Changelog entries for #1629 and #2004
8a671e5 Fix Bug #1629
ff5b13a Fix #1807 - make Puppet::Util::Package.versioncmp a module function
991f82c Fix #1829 - Add puppet function versioncmp to compare versions
d0bf26e Fixed install.rb typo
4cf7a89 Updated lib install permissions to 0644
2c7e189 Fixes incorrect detail variable in OS X version check, re-patches ralsh to work with Facter values and adds error check for missing password hash files.
73a0757 Fix #1828 - Scope.number? wasn't strict enough and could produce wrong results
0.24.8rc1
=========
84d6637 Fixed #2000 - No default specified for checksum
a3bb201 Fixing change printing when list properties are absent
67fc394 Fixed #2026 - Red Hat ignoring stop method
cf64827 Bring in the documentation changes from the master branch
01bc88c Added a force option to ensure the change is always applied, and call augeas twice to reduce the chance that data is lost
cedeb79 Backport the fix for #1835
cf48ec0 First cut at the not running if augeas does not change any of the underlieing files
9d36b58 Bug 1948: Added patch by jab to support the correct ins syntax. Updated the test cases as well
61661b1 Fixing #1991 - ldap booleans get converted to booleans
d5850dc Refactored a method: extracted about five other methods
1c7c8fe dbfix - fix typo and close another possible inconsistency
c55ac3f Fix #2010 - add protection code for some storeconfig corruption
a790ee3 Further fix to #1910
9577d3a Fixing #2013 - prefetching had a mismatch between type and title
719a8df Fixed to rake tests for reductivelabs build
ac87600 Fixed report reference page
0c16426 Fixing broken 0.24.x tests in test/.
23066c1 Fixing every failing test I can find on the build server.
ec56ddf This script fixes the most common issues with inconsistent
c052ff8 Make puppetd --waitforcert option behave as documented:
e2b4062 Adding a performance optimization to the FileCollection.
fa6494b Using the FileCollection where appropriate.
373d505 Adding a FileCollection and a lookup module for it.
0e46786 Fixed #1963 - Failing to read /proc/mounts for selinux kills file downloads
4170238 Fixed #2025 - gentoo service provider handle only default init level
8c010e0 Fixed #1910 - updated logcheck
7504b04 Updated useradd.rb managehome confine to include other RH-like distributions
f07d928 Use Puppet.debug instead of own debug flag
25a3f59 Fixing #558 - File checksums no longer refer to 'nosum'
d758f45 Fixing #1871 once and for all - contents are never printed
c0f4943 Minor fix to launchd tests
24d48e6 Fix #1972 - ActiveRecord fixes resulted in broken tests
446989b Fix spec test for launchd service provider to work with new service status method and add two new status tests.
3ef5849 Fixing a test I broke in commit:"897539e857b0da9145f15648b6aa2ef124ec1a19".
72bd378 Removing a no-longer-valid test.
682dd8b Fixing password validation to support symbols.
44f97aa Only backing up within parsedfile when managing files
04af7b4 Fixing a syntax error in the up2date provider
1070b3c Fixing a test broken by a log demotion
ab84756 Cleaned up variable names to be more sane, clarified error messages and fixed incorrect use of 'value' variable rather than 'member'.
7f41857 Provide dscl -url output support for OS X 10.4 clients using the directoryservice provider.
0bc3c07 Fix launchd service provider so it is backwards compatible with OS X 10.4 as well
2561c8e Updated Augeas type code
7d72186 Removed site from Puppet VIM syntax
1bc7404 Fixed #1831 - Added sprintf function
336b645 Fixed #1830 - Added regsubst function
2a85551 Bug 1948: Add logic and testing for the command parsing logic
2218611 Updated up2date and service confines to add support for Oracle EL and VM
39a8b28 Fixing #1964 - Facts get loaded from plugins
7cf085c Adding tests for Puppet::Indirector::Facts::Facter.loadfacts
70ea39a Adding a post-processor for Nagios names.
4dfa034 Revert "Refixing #1420 - _naginator_name is only used for services"
d5a193a Fixing #1541 - ParsedFile only backs up files once per transaction
53f15b9 Removing the apparently obsolete netinfo filetype.
4e89156 Migrated FileType tests to spec, and fleshed them out a bit.
cc4d658 Bug #1948: Added patch by jab to support the correct ins syntax. Updated the test cases as well
5e35166 Fixing #961 - closing the http connection after every xmlrpc call
af3f3ae Refactoring the XMLRPC::Client error-handling
f0ac3ae Fixed #1959 - Added column protection for environment schema migration
319822a Fixing #1869 - autoloaded files should never leak exceptions
6b0c1b9 Fixing #1543 - Nagios parse errors no longer kill Puppet
7fd5c7e Moving the transaction specs to the right path
efb5cc5 Refixing #1420 - _naginator_name is only used for services
32c2be9 Fixed #1884 - exported defines are collected by the exporting host
0e49159 Cleaning up the AST::Resource code a bit
b22d148 Fix #1691 - Realize fails with array of Resource References
6331bfc Fix #1682 - Resource titles are not flattened as they should
7e036eb Fix #1922 - Functions squash all arguments into a single hash
535fa89 Fixed #1538 - Yumrepo sets permissions wrongly on files in /etc/yum.repos.d
f7b04df Fixed #1936 - Added /* */ support to the vim file
671d73c Prefetching, and thus purging, Nagios resources now works
063871f Adding some basic tests for the Naginator provider base class
897539e Removing a redundant instance prefect call.
012efe3 Fixing #1912 - gid still works with no 'should' value.
a9f34af Fixing the Rakefile to use 'git format-patch'.
db05c00 Fixing #1920 - user passwords no longer allow ':'
aa219e7 Adding README.rst file
1d3f117 Added Reductive Labs build library
f01882d Change the way the tags and params are handled in rails
b7ab54c Add methods to return hash instead of objects to params and tags
5c64435 Rails serialization module to help serialize/unserialize some Puppet Objects
b27fccd Fixed #1852 - Correct behaviour when no SELinux bindings
7403330 Updated Red Hat spec file 0.24.7
0.24.7rc1
=========
84d6637 Fixed #2000 - No default specified for checksum
a3bb201 Fixing change printing when list properties are absent
67fc394 Fixed #2026 - Red Hat ignoring stop method
cf64827 Bring in the documentation changes from the master branch
01bc88c Added a force option to ensure the change is always applied, and call augeas twice to reduce the chance that data is lost
cedeb79 Backport the fix for #1835
cf48ec0 First cut at the not running if augeas does not change any of the underlieing files
9d36b58 Bug 1948: Added patch by jab to support the correct ins syntax. Updated the test cases as well
61661b1 Fixing #1991 - ldap booleans get converted to booleans
d5850dc Refactored a method: extracted about five other methods
1c7c8fe dbfix - fix typo and close another possible inconsistency
c55ac3f Fix #2010 - add protection code for some storeconfig corruption
a790ee3 Further fix to #1910
9577d3a Fixing #2013 - prefetching had a mismatch between type and title
719a8df Fixed to rake tests for reductivelabs build
ac87600 Fixed report reference page
0c16426 Fixing broken 0.24.x tests in test/.
23066c1 Fixing every failing test I can find on the build server.
ec56ddf This script fixes the most common issues with inconsistent
c052ff8 Make puppetd --waitforcert option behave as documented:
e2b4062 Adding a performance optimization to the FileCollection.
fa6494b Using the FileCollection where appropriate.
373d505 Adding a FileCollection and a lookup module for it.
0e46786 Fixed #1963 - Failing to read /proc/mounts for selinux kills file downloads
4170238 Fixed #2025 - gentoo service provider handle only default init level
8c010e0 Fixed #1910 - updated logcheck
7504b04 Updated useradd.rb managehome confine to include other RH-like distributions
f07d928 Use Puppet.debug instead of own debug flag
25a3f59 Fixing #558 - File checksums no longer refer to 'nosum'
d758f45 Fixing #1871 once and for all - contents are never printed
c0f4943 Minor fix to launchd tests
24d48e6 Fix #1972 - ActiveRecord fixes resulted in broken tests
446989b Fix spec test for launchd service provider to work with new service status method and add two new status tests.
3ef5849 Fixing a test I broke in commit:"897539e857b0da9145f15648b6aa2ef124ec1a19".
72bd378 Removing a no-longer-valid test.
682dd8b Fixing password validation to support symbols.
44f97aa Only backing up within parsedfile when managing files
04af7b4 Fixing a syntax error in the up2date provider
1070b3c Fixing a test broken by a log demotion
ab84756 Cleaned up variable names to be more sane, clarified error messages and fixed incorrect use of 'value' variable rather than 'member'.
7f41857 Provide dscl -url output support for OS X 10.4 clients using the directoryservice provider.
0bc3c07 Fix launchd service provider so it is backwards compatible with OS X 10.4 as well
2561c8e Updated Augeas type code
7d72186 Removed site from Puppet VIM syntax
1bc7404 Fixed #1831 - Added sprintf function
336b645 Fixed #1830 - Added regsubst function
2a85551 Bug 1948: Add logic and testing for the command parsing logic
2218611 Updated up2date and service confines to add support for Oracle EL and VM
39a8b28 Fixing #1964 - Facts get loaded from plugins
7cf085c Adding tests for Puppet::Indirector::Facts::Facter.loadfacts
70ea39a Adding a post-processor for Nagios names.
4dfa034 Revert "Refixing #1420 - _naginator_name is only used for services"
d5a193a Fixing #1541 - ParsedFile only backs up files once per transaction
53f15b9 Removing the apparently obsolete netinfo filetype.
4e89156 Migrated FileType tests to spec, and fleshed them out a bit.
cc4d658 Bug #1948: Added patch by jab to support the correct ins syntax. Updated the test cases as well
5e35166 Fixing #961 - closing the http connection after every xmlrpc call
af3f3ae Refactoring the XMLRPC::Client error-handling
f0ac3ae Fixed #1959 - Added column protection for environment schema migration
319822a Fixing #1869 - autoloaded files should never leak exceptions
6b0c1b9 Fixing #1543 - Nagios parse errors no longer kill Puppet
7fd5c7e Moving the transaction specs to the right path
efb5cc5 Refixing #1420 - _naginator_name is only used for services
32c2be9 Fixed #1884 - exported defines are collected by the exporting host
0e49159 Cleaning up the AST::Resource code a bit
b22d148 Fix #1691 - Realize fails with array of Resource References
6331bfc Fix #1682 - Resource titles are not flattened as they should
7e036eb Fix #1922 - Functions squash all arguments into a single hash
535fa89 Fixed #1538 - Yumrepo sets permissions wrongly on files in /etc/yum.repos.d
f7b04df Fixed #1936 - Added /* */ support to the vim file
671d73c Prefetching, and thus purging, Nagios resources now works
063871f Adding some basic tests for the Naginator provider base class
897539e Removing a redundant instance prefect call.
012efe3 Fixing #1912 - gid still works with no 'should' value.
a9f34af Fixing the Rakefile to use 'git format-patch'.
db05c00 Fixing #1920 - user passwords no longer allow ':'
aa219e7 Adding README.rst file
1d3f117 Added Reductive Labs build library
f01882d Change the way the tags and params are handled in rails
b7ab54c Add methods to return hash instead of objects to params and tags
5c64435 Rails serialization module to help serialize/unserialize some Puppet Objects
b27fccd Fixed #1852 - Correct behaviour when no SELinux bindings
7403330 Updated Red Hat spec file 0.24.7
8befc18 Updated to version 0.24.7
cf19bd8 Not using a temporary file when locking files for writing.
b966ea0 Modifying the corruption-checking test.
1f34bca Issue 1804 VDev with the same devices should be in sync
6d5a129 Documentation fixes
45144a1 Fixing #1812 (hopefully) - adding read and write locks to yaml.
2385a78 Preparing to fix #1812 - Moving locking code to a module
2961b83 Fix #1815 - puppetdoc --all crash on resource override
e5c36fd Fix ZFS autorequire test
da71ad5 Add a unique name to objects so we can determine uniqueness when read back in
4418b34 Fix launchd service test on non-OSX platforms
4b2bdf9 Fix the spec tests to work on other platforms, do the confine around OS X versions more sanely
544a3e1 remove unnecessary mk_resource_methods call
50ac03a CHANGELOG updates
a0a6d2c Add a unique name to objects so we can determine uniqueness when read back in
68ffd46 Bug #1803 Zfs should auto require the ancestor file systems
7e2da7e Refactor #1802 Use 'zfs get -H -o value' instead of parsing output for value
8616d74 Fixing #1800 - tidy now correctly ignores missing files and directories
6075d10 Fixing #1794 - returning sync when it is already initialized
18fe5c3 Fixing #1750 again - All of the properties and now :ensure check replace?
b22303e Fix rake abort when there is a matching confine
0caa9c5 spec tests for type and provider and some code cleanup to adhere to DRY
0f2fc88 Finished work on rules creation and deletion
ed49153 new better way of doing stdin
05e05bb finished rights flush, working on rules
1e37230 macauthorization type
4ed73ef reset macauthorization tree. Initial checkin of new type/provider
5d32cd9 add NetInfo deprecation notice to user and group providers, make the directoryservice user provider the default, remove default for darwin from NetInfo providers
99ab940 Warn that the NetInfo nameservice provider is deprecated. Use directoryservice instead
c4412ec add some more sanity checks around stdin
7de82c3 add support for stdin to Puppet::Util.execute
edef064 Make ralsh behave more sanely for non-existent objects and property values
9384a4a Added git changelog task
c398db1 Bug #1780 Fixing meaningless test
278bfe8 Fixing mcx test failures (only happened sometimes).
c4812b8 Need to stub out the defaultprovider call for non Mac platforms
b444e43 remove extraneous comments
49d4d01 Trim down the after block clears to try to make the tests work for the build servers
65d6b49 Updated mcx type and provider with comprehensive spec tests.
fd128d6 Fixing a package test to be *much* faster
cdcbc5b Fixing splaytime tests
6a4c0d5 Removing debugging from the "resources" type
0c6a151 Fixing a test that fails depending on test execution order
968f5cc Relicense under GPLv2+
9ab3afb Hopefully fixing #1703 - using a mutex around the sending of the tagmails
3fe9cc7 Fix #1741 - fix some failing tests on some ruby versions.
3570c71 Fix #1788 - allow rspec rake to run only some tests
1b3a7d8 Fixing the AST constant warnings, using a variable instead of a constant
091b8bf Fixing #1785 - selinux tests no longer break other tests
c005dcf Ticket 1780 - Solaris RBAC roles should be autorequired
3eff225 Feature 1696 Add support for branded zones
fa9820b Bug #1778 - Solaris RBAC profiles should maintain order
f6fa4f7 Bug # 1680 Now you can set the hashed passwords on solaris
0a40668 Feature #1783 - Add ZFS support
047e5d0 Handle password when user is created
88edf66 == is not =
a219c88 Solaris doesn't have a native tool to set hashed passwords
9329c95 type/mcx.rb Feature #1026 - MCX Type
83b3a1e Simplify launchd service provider and add tests
65a6074 Fixed #1695 - Solaris 10 zone provider doesn't properly handle unknown zone attributes in newer releases
0171e25 Fixing #1749 - Splay now hopefully behaves "better" for small values.
607958c Fix #1741 - Add inline_template function
cc45c43 Fix #1741 - refactor TemplateWrapper, test for template function
d8c741f Fix #1741 - Puppet::Parser::Functions rmfunctions and unit test
3c4efa7 Fixes #1773 - no longer check for absolute paths
3a39509 make sure only types that have passwords search for the password
a45c6b1 fix bug with numeric uid/gid in directoryservice provider. doc string cleanups
1f52795 Documentation fix for runit provider
81a91a7 Documentation fix for daemontools provider
4f67a7c Fixed #1776 - Trivial fix for gentoo service provider
2764ab4 Rename migration so it's still applied
965c08d Slight denormalisation to store a host's environment as a first class
5742966 Fixing #1743 - defined types get catalogs too.
31ec3e6 Adjusted CI tasks exit codes
3421954 Fixing #1755 - handling fully qualified classes correctly.
a1ac9a5 Added Rake :ci namespace and CI tasks
d978668 Lots of DirectoryService work. New Computer Type. Users now use password hashes. Groups now support setting members as attributes of the group for OS X.
86ce934 launchd service provider
97a8177 Refactoring the thread-safety in Puppet::Util a bit.
78bced1 Fixing #1683 - accessing and changing settings is now thread-safe.
83cebb5 Partially fixing #1772 - fixing selinux tests broken by removal of extraneous 'stat' in :file.
a839fe2 Partially fixing #1772 - fixing tidy code I broke.
5bd27c8 Partially fixing #1772 - broken 'resources' tests.
a3140b2 Manually setting an env var to mark autotest enabled so we see color
bbad983 Removing the included testing gems; you must now install them yourself.
b415848 Fixing #1708 - user groups specified as names are now detected correctly.
9ed382d Fixed #1767 - Minor fix to emacs mode
27a750d Revert "Fixing #1755 - File modes (and other strange properties) will now display correctly"
eb0d32a Fixing #1764 - a property's 'sync' method is never considered a no-op.
e9f858a Refactoring the file/owner property to be simpler and cleaner.
ed4c405 Fixing #1755 - File modes (and other strange properties) will now display correctly
c65f2b5 Fixed #1668 - puppetca can't clean unsigned certs
1ad33cc Fix #1759 - Comparison operator was using string comparison for numbers
c96d250 Fixed #1711 - fileserver test fails due to incorrect mocking
8523a48 Fixed #1751 - Mac OS X DirectoryService nameservice provider support for plist output and password hash fil
d32d7f3 Fixed #1752 - Add an optional argument to Puppet::Util.execute to determine whether stderr and stdout are combined in the output
4396740 Fix the init service type to cope with an array for defpath and if defpath does not exist
3c870d8 Added versionable feature to the RPM provider
f62d04d Fixing broken tests resulting from the fix to #1747
030c791 Moved RRD feature from util/metric.rb to feature/base.rb
dc192b0 Manifest documentation generation
2c05a0a Move function existance test to parser evaluation
064fb00 Add a doc attribute to AST nodes and fill it with the last seen comments
724a6f6 RSpec tests for the doc system (covers AST.doc, lexer and parser)
b8ed667 Fixed #1735 and #1747 - Fixes to confine system
6be5ac8 CHANGELOG updates
0ca5025 Fixed #1718 - Added preseed to apt uninstall and purge
01976ca Include spec directory in packages
c98f7a5 Fixing the provider's confine subsystem so the logs are more useful.
6426a29 Removed extra 'end' from yum.rb
1e81739 Fix bug #1746: Sync SELinux file attributes after file contents created/modified
cebadd9 Fix bug #1681: Add filesystem type check to test for per-file SELinux context support
60455e7 Quiet debug when no default SELinux context found for one of the components
71a9e60 Fixes relating to transition to native SELinux bindings
3a5dcab Refactoring of SELinux functions to use native Ruby SELinux interface
d5e19f1 Fixed #1739 - Added uninstall functionality to yum provider
bf5be00 Fix #1737 - part2 - Fix display of "options"
e032034 Fix #1737 - ssh_authorized_keys should be able to parse options containing commas
e33d087 Fix #1740 - Daemontools and Runit is not ReST compliant
dfc0554 Fixed #1730 - Edited file/ensure.rb docs for clarity
6d7b5ef Fixes #1672 - unsafe crontab handling in Solaris
083077d Fixing the augeas type tests to work when augeas is missing
0a3d34d Fixes #1714 - yumhelper handling with yum 2.2.x is broken
7b70e85 Fixed #1721 - puppet.conf documentation incorrectly lists signals that affect the daemons
781a685 Fixing a test I broke when fixing a reporting bug
f063517 Added unit tests for the augeas type and provider
2d37f09 Fix #1402 - Allow multiline comments
9f30306 Fix #857 - Multiple class of the same name don't append code
649a9e0 Fixed augeas examples in type
56f3be6 Fixed #1710 - Spurious output in test run
4806c51 Fixing #1669 - The dump parameter can now be changed on mounts.
c7ccc4b Fix #1682 - ASTArray should flatten product of evaluation of its children
c906afd Fixing #1667 - regex automatic value documentation is now readable.
9fd1756 Split Augeas up into a provider and a type.
e542f8c Fixed #1692 - k5login fails to set mode when file is created
57e791b Fixing #1660 - Adding specifically supported values for tidy recursion.
42cac73 Fixing #1698 - all logs again show up in the report.
6ab4f1b Fixed #1661 - Type reference: tidy should specify manditory parameters
2459106 Removing all mention of EPM, RPM, or Sun packages.
9ecbd63 Fixed #1104 - Classes and nodes should set $name variables
bc8cdb1 Beginning provider split, need help on the voodoo
6539f55 Updated Red Hat spec file for 0.24.6 and removed conf/debian directory.
cacafeb Added augeas type and feature
0.24.6
======
b2c1149 Updated to version 0.24.6
5ba54d2 Updated to version 0.24.6
22024bc Improve the inline documentation for SELinux types and parameters
f216237 Fixes #1663 - added Symbol check and additional test
81c3b72 Fix SELinux test to succeed when Puppet debug mode is enabled
f7516a7 Fix regression caused by switch to Puppet's execute() functions
c09d0cc Solaris RBAC Attributes
6d05cbc Fix #936 - Allow trailing comma in array definition
ec2b461 Fix #1115 - part2 - fix tests and add all_tags
356d8ca Fixed #1662 - Configuration Reference still references 'section'
b53509b Fixed #1460 - enhance redhat puppetmaster init.d script to easy start puppetmaster as a mongrel cluster
8a4e2e9 Fixed #1663 - Regression relating to facter fact naming from 0.24.5
e6f99f9 Fix #636 - Allow extraneous comma in function argument list
a74ec60 Fixing tests I broke when trying to fix the Providers reference.
d4df361 Use fully qualified paths when calling binaries, adjust chcon call to use Puppet's execute() function.
dedf0cd Setting SELinux contexts with chcon should not dereference symbolic links
7f5ded1 Fixed #1646 - service puppet status does not work as non-root on redhat system
00d5fe4 Fix #1115 - Allow checking tags/classes from ERb templates
f5fb2d3 Fixed #1649 - OS X package creation script should be more selective about cleaning out prior versions
b0fd2e0 Fixing #1647 - puppetdoc's 'providers' report works again.
157c0dd Fix 1642 (always warning) and improve unit tests to cover when to warn and not
65eafb7 lazy load latest package definitions with yumhelper 2.2
eff6ce0 Revert "Added last part of #1633 patch - update to util/metrics.rb"
c5d1a4f Added last part of #1633 patch - update to util/metrics.rb
0fff7d7 Fixing some tests that were broken in 2fba85af
2afbd0d Fixing a test that was failing as a result of the fix to #1491
b0c01da Adding an additional option for the fix in ff36832e, skipping missing cert dirs
aea5582 Removing a gid test for users, since it is a bad test and has mostly been replaced in rspec
65d3040 Fixing a test that was broken in ee579641
b08002e Fixing some tests that were broken in the fix for #1633
2bf0ba5 Fixing a test that was failing because i-have-no-idea
952ebb8 Fixing a test that was failing because of the change to retrieve() in ee579641
a5fe87f Fixing a file source test that was failing because missing sources is now a failure
53b7d42 Fixing the broken tests resulting from the fix for #1551.
5ec6b07 Adding warnings when example groups are skipped.
54abe70 Moving some test/ package tests to rspec integration tests
85d3ae0 Cleanup selboolean and selmodule unit tests to pass on non-SELinux systems
a562ce5 Add unit test coverage for Puppet::Util::SELinux and fix problems found by tests
2b4aa0c Fixed #1639 - uninitialized constant Puppet::Type::User::ProviderUseradd
4265825 Fix #1636 - part2 - correct some client errors.
9c31db9 Add failing test for plugin with file and recurse
2853447 Fix several small regressions in plugins mount
2153bae Fixing #1640 - file groups now no longer get set on every run
80e5c11 Incremented CHANGELOG to 0.24.6
996ac46 Fix scenario when SELinux support tools exist, but SELinux is disabled
d803096 Add new set of unit tests for selmodule type
a3f34f9 Removal of redundant lines from unit test
307260f Remove old selboolean unit tests and fix permissions on new tests
2ebd34e Rewrote seboolean unit tests to provide better coverage
4df51ea New and improved tests for file type SELinux contexts
253d4df Fix regression when templatedir doesn't exist.
c7a6ef2 Fix #1202 - Collection attribute matching doesn't parse arrays
3281f2b Fixed #1633 - Added support for --detailed-exits to bin/puppet
0b1e60f Adding an array indexer method to Puppet::Util::Metric as requested in #1633.
765db30 Adding partial spec tests for Puppet::Util::Metric.
fb14e91 Fixed #1473 - Rescue Timeout::Error in xmlrpc clients
7275d7c Fxied #1354 - yum provider problems with RHEL 3
0c297be Fix #1109 - allow empty if or else branches
5268487 Fixed documentation, typo and added CHANGELOG entry
990e8e3 Fix #1530: Correctly parse ssh type 1 keys
06edac4 Fixed additional environments tests
79bb1f2 Rspec Tests for #381.
750e9ab Fix #381 - Allow multiple resource overrides or references
782181e Minor test fix for #1614
614326a Fixing #1098 - Multiline strings now correctly increment the line count
1c6d57e Doing some simple refactorings on Puppet::Log
a774443 Fixing #1089 - Log messages are now tagged with the log level,
db7f108 Adding rspec tests for the Puppet::Util::Log class.
d2c8998 Fixed #981 - Removed 'Adding aliases' info message
d098a90 Fix failing tests dependent on /etc/user_attr file existing
6bcfd9f Fixing #947 - pluginsync no longer fails poorly when no plugins exist
67136f1 Fixing the Node class to no longer validate environments
a4110a3 Add SELinux context reset after file writes in Puppet::Util::FileType
250239e Add new support for :selrange SELinux file property
c831482 Add detected defaults for existing SELinux file properties
772e9b2 Refactor SELinux commands to utility module
8153181 Clean up of SELinux rspec tests so all pass
e77ddc1 Merged fsweetser's selinux patch against HEAD
7272d49 Fixed #1613 - The client environment will be substituted when looking up settings.
1a9b567 Fixing #1614 - Environments no longer have to be listed out.
397c841 Fixed #1628 - Changed node search to use certname rather than Facter hostname
9d174c4 Updated puppet binary documentation
6a0b334 Fixed error message typo
655f378 Adding a rake task for sending emails to the dev list
d39bab9 Fixing package provider tests to use the new Transaction::Change interface
e32256a Migrating the apt and dpkg tests to rspec.
ddda80a Update change log with RBAC roles
d1abb86 Add role support to user type and an implemention
2fba85a Some small clarifying refactors and change to objectadd to allow subclasses of
4a863c3 Adding user_attr util to parse attributes on solaris
93f952a Fixed #1586 - Specifying "fully qualified" package names in Gentoo
8620775 Fixed #791 - You should now be able to create and find a user/group in one transaction.
63ad845 Refactoring and adding tests to the file group property.
7da4152 Modified the group and zone resource types to no longer call
ee57964 Modified the behaviour of resource-level 'retrieve' -- it only
0fb4693 Updating changelog for #1622
2afc4f5 Adding tests for the user retrieve method
679fede Removing commented code from the user type from about 2005
2480654 The Netinfo and DirectoryService providers can now create user and group simultaneously.
4c998fe Fixing #1622 - The user type only looks up groups when necessary.
6bc56ae Aliasing the rspec 'should' method to 'must'
b9c75cd Rewriting the user tests, in preparation for enhancing them
99de920 Fixed #1620 - Add 'sles' to Puppet confines when 'suse' is used
4cf9710 Add parser for arbitrary expressions
cfa230a Add arithmetic operators to AST
850e0ba Add not operator to AST
9cdecfe Add comparison operators (< > == != <= >=) to AST
8372dc4 Add boolean operators to AST
e6698c2 Add warning and forcibly set to :md5 fixing #1564
af8c706 Fix metadata class for cases when checksum_type set
860bdb1 Fixed #1603 - Added support for running Puppet inside a Rack application
b2f0d87 Fix ticket 1596 in new fileset code, use tmpdir in fileserver tests.
a30ecf2 Make fileserver use fileset for recursion and handle dangling links by ignoring them fixing #1544
3b80763 Add tests for FileServer::Mount list for #1544
3749267 Fixed #1610 - Raise "Filebucketed" messages to Notice priority
f792b64 Added a number of confines to package providers
074abd4 Fixed #1609 - Added confines for the Gentoo, FreeBSD and SMF (Solaris) service providers
2da6d19 Fixed #1608 - Added ubuntu to defaultfor for apt provider
aa629ec Fixed #1607 - Added ubuntu to defaultfor for Debian service provider
774c0f9 Fixed #1588 - Fixed puppetca --clean --all
98e79f8 Fixed #1472 -- defined, exported resources in the current compile now get expanded
0040bc8 Fixed #1045 - Multiple metaparams all get added to resources.
8d5ded0 Removing some code in Parameter that is unnecessary.
5fbdc49 Fixed #1595 - Internally, Property#retrieve is no longer called
c16a5ae Only apply splay the first run
27f0c7d fix failing hpux user specs
7a3a38f Add rspec unit test for the append operator
16793d2 Add an append (+=) variable operator:
7f8abbd Bug #1550 - Rework to avoid regressing rspec tests, add new rspec tests for templatedir as a path
0905734 Allow a templatedir to be colon separated.
11b0848 Fixed #1500 - puppetrun host regression
3b1d6e2 Fixed #1579 and #1580 - errors in the Puppet RPM spec file
77f4fb6 Fixed #1521 -- ldap user and group are now used with the default connection
a1a670b Fixed #1572 -- file purging now fails if remote sources do not exist.
dd4f654 Fixing #1576 - moving all of the Puppet::Type code back into type.rb.
923fd89 Fixed issues with file descriptors leaking into subprocesses
cab5d85 Fixed #1571 - Puppet::Util::binary returns incorrect results
a7306e1 Fixed #1553 - Puppet and Facter cannot both install the plist module into two different locations
758505b Fixed #1568 - createpackage.sh
7ce902d Adjusted hpuxuseradd user provider to confine to HP-UX and fixed HP-UX user provider path regression
8f1336f Fixed #1566 - changed password property of the user type
d4d3213 Fixed debug messages in package type - thanks to Todd Zullinger for this fix
b88df5a Sync with latest Fedora/EPEL specfile
0705dfb Fixes #1455 - Adds HP-UX support for user type
e15d316 Fixes #1551 puppetmaster.freshness xmlrpc call returns incorrect type
8fe0338 Fixes #1554 - Fix exception for undefined hostname
81cc9bf Fixed #1533 - changed permissions for man directory
41dc1fa Runit service provider
aae0793 Daemontools service provider
29ae879 Fixes tests broken by 95aa085
b50e718 Fixed #1488 - Moved individual functions out of functions.rb into
5fb5091 Fixed #1457 - case insensitive match for error
ded94f7 Removed spec color option for buildbot
415663b Added simple rake task for running unit tests
557be9d Added spec Rake task
0d118a5 Fix leaking LoadedFile when adding templates to be watched
67387e2 Fixed #1506 - Removed storeconfig duplicate indexes
7accb89 id column is autogenerated by rails as a primary key, there is no need
c5fb092 Removed reference to namespaces from --genconfig documentation
1729de1 Updates to ext/puppetlast to support multiple hosts
b6609ee Fixed #1508 - Add HP-UX package provider.
3e482a2 Updating the authors list for the gem spec
2ec4e29 Fix #1502 - abysmal storeconfig performance - part2
9272df4 Fix #1052 - abysmal storeconfig performance - part1
f48a0ae Fix #1510 - storeconfig fails with rails 2.1
b1ad596 Add the -P/--ping option to puppetrun, fixes #1501
6676b6b Fixes #1274 - allow class names to start with numbers
d02f95c Fixed #1394 - Added stored configuration clearing script to /ext
fb8cc53 Fixed #1442 - replaced use of Facter for report titling with certname
18dda20 Fixed $1456 - add proxy configuration to yum repo
ab4cb6a Fixing #1447 -- Replacing Puppet::PackageError with Puppet::Error.
8a0cb16 Added tests for TemplateWrapper's use of Scope#to_hash.
3ae7eca Fixing an ldap connectivity test
d3393b4 Added CHANEGLOG entry for removal of interface type
bfcdfe8 fix terrible error with overwriting permissions
0147570 Fixed #1457 - removed confine warning
fecdfbc A working script to create an OS X pkg out of the Puppet repository
6a2e71d Fixed #1441 - Updated console colours
404450a Add testing for the changes to resolve redmine #1427, where Kernel methods shadow
03c76de Expose all puppet variables as instance member variables of the template wrapper.
13069ec Ensure that we consistently use either string #{} interpolation or String.%
469c5fe Feature #1476: Allow specification of --bindir --sbindir --sitelibdir --mandir --destdir in install.rb
2a3d195 Specs for yaml indirector .search - I'm still learning!
c97389d Made puppetlast work on 0.24.5 by using the YAML indirector
5c53617 Added a search method to the YAML indirector.
482489a Revert "Fixing puppetlast to make it work with 0.24.5 / 0.25."
0bbac8d Fixes #1417 - whitespace in ssh_auth_key provider
a772110 Sync with latest Fedora/EPEL specfile
97987a7 Feature #1241 : Improve performance of group lookups
fe99828 Bug #1448: Puppet CA incorrectly writes out all certs to inventory .txt on each certificate signing
971af69 Fixing puppetlast to make it work with 0.24.5 / 0.25.
d91d806 Updating the authors list for the gem spec
0.24.5
======
ce964ec Updated to version 0.24.5
a7df4eb Updated to version 0.24.5
4dffaf3 Reverting the version so my release process works
aac7dd1 Incremented versions
bfcd626 Fixes #1445 and #1426
8f5800f Fixes #1445 and #1426
ff36832 Fixing the renaming code to skip missing directories.
8c2478b Fixing puppet_module -- it needed the same node interface change.
d9aa5ab Fixing a cert test to pass on Darwin.
686ba4d Revert "Merging fsweetser's selinux patch against 0.24.4"
f16da42 Merging fsweetser's selinux patch against 0.24.4
a47fed4 'Fix' broken tests related to missing source raising
238b8d7 Fixing #1438 -- mongrel and module tests now pass.
ebb219e Fixed all of the fileserving termini so they use indirection requests.
d8937ac You can now select the encoding format when transferring the catalog,
a0fa09f Revert "Fixed #1201 - all external node attributes are converted to strings."
8f8ce60 Fixed #1431 - Provider confines must now specify similar tests in one call.
7fa7251 The mongrel-related tests now run without mongrel.
bdbd992 Updated /spec/unit/rails.rb test
de6aec6 Fix Ticket 1426 - services on redhat are restarted again
0a0fcaf Fixed #1414 - Return code from waitpid now right shifted 8 bits
61b9bcd Added Changelog entry for new auth_key type
65b9869 Further moves from the examples directory and ext directory
4ce7159 Fail instead of log when rescuing remote file connections
4c5293b Fix #1409, Move path expansion from the type into the provider
8043655 Fixing #1408 - --loadclasses works again.
605d760 Moved debian to conf and updated examples directory
d25c2b2 Fixed #1407 - allowdupe is now a boolean group parameter.
9eb9aff Fixed #1368 - updated Red Hat init scripts
c7dc73f Fixing the user ldap provider tests
edf99c5 Added message referencing ReductveLabs build library
6ff9246 Fixed #1396 - Added sha1 function from DavidS to core
19b76c7 Fixing #1401 - integration tests now work regardless of the yamldir.
667fac1 Fixed #1226 - Gems can now specify source repositories.
21d4957 Correct whitespace
4762b52 Moving the gem test to the non-ral directory
71f4b02 Importing Sam Quigley's work to enhance gem support for sources.
c751e4e Fixed #1272 - ldap group names will be converted to GIDs.
0922c3b Fixed #1399 - the ldap user provider knows it can manage passwords.
196494a Fixed #1231 - Exceptions during startup should now be clear.
9d69b3f Testing and simplifying the Transaction::Change#backward method.
61ec332 Removing the Transaction::Change#transaction accessor.
2863df2 Refactoring the Transaction::Event class.
a37a784 Adding tests for the Transaction::Event class
31ffeab Adding tests to the Transaction::Change class.
8865bdf file object creation should fail if source is not present
73c06c0 Renaming Puppet::Event to Puppet::Transaction::Event
84b5665 Updated test/ral/type/sshkey.rb test
5ef8979 Removed debugging from lib/puppet/util/ldap/connection.rb
6124c69 Renaming the Puppet::PropertyChange class to Puppet::Transaction::Change.
ba12d30 Fixed #1232 - the rundir no longer specifies a user/group,
be169da Removing all of the code related to the interface type.
04ecb74 Doing what I can to fix #1128, but just in preparation for removing 'interface'.
2279acd Adding changes to config print that were missed in fix for 1183
a87885a Fixing the "describe" in the redhat interface specs
bd3f8e3 Fixed 1240 - puppet will function more like puppetd if graphing
7a6ae29 Add a missing test for exercising the last untested line of lib/puppet/type/ssh_authorized_key.rb
731d0f2 Minor documentation updates for ssh_authorized_key type
c825c99 Fixing the ldap node terminus to merge facts with the right name.
4b6b22e Adding logging when a node's facts can't be found
daf0d9d Backporting a test that was failing in master, and fixing it
38540d5 Fixing the ldap node integration test so it cleans up
e03c1be Fixing #1382 - existing uppercase certs, keys, et al will be renamed.
5156230 Use generate instead of autorequire in the ssh_authorized_key type based on Luke's comments
d3a8125 Fixed #1006 - puppetrun --class works again. I added the class
c1e010f Fixing the Node::Ldap.search method to use an indirection request.
4d22a95 Switching the ldap terminus to use Util::Ldap::Connection.
b47d4e1 Added a 'search' method to the ldap node terminus.
a1d1abd Adding an 'instance' class method to ldap connections.
ee9d002 Fixed #1114 - Facts in plugin directories should now be autoloaded,
f1d5903 Fixing #1388 - the package test no longer uses 'require'.
8c5c949 ssh_authorized_key: autorequire, default permissions and cleanup
5a283d6 Fixing #1374 - Using Puppet::Type.type() in tests
17afb8a Fixes #1195 - Updated Gentoo init scripts
00182ff Fixed #707 - special '@reboot'-style cron jobs work again.
c83b23d Updated CHANGELOG for two missed commits
2380fcd Fixed #1012 - templates in the templatedir are preferred to module templates.
4d95364 Fixed #1221 - aliases to titles now work for resources.
24ca81f Fixed #1360 -- allowdupe works with groups again.
955a8ff Removed test/util/loadedfile.rb tests which fixes #1370
9c1ab14 Fixed #1371 - Updated bin/puppet to use Node.find
aedfa2b Fixed #1369 - the init service provider now supports HP-UX.
422dea0 issue 1183
d3a4d9a Updated Rakefile fixes #1367
5f600dd Fixing #1168 (for 0.24.x) -- automatically downcasing the fqdn.
ac7f596 Fixed #1201 - all external node attributes are converted to strings.
6658463 Updating the changelog for the changes to node lookups.
1f19453 Removing the Node.find_by_name method.
51e1ba8 The LDAP Node terminus now searches for the fqdn, short name, and default.
fb4e843 Refactoring the 'find' method a bit in the LDAP Node terminus.
317af36 Removing the now-obsolete Node.node_facts method.
b7bd427 Converting the Node.node_names class method into an instance method.
75c94e3 Removing an obsolete, unimplemented test
98e38a6 Adds support for keepconfig for the dpkg provider fixes #234
4d70449 Fix bug in test, add more specs and small refactor
86f8ff4 Removed the unless condition in query, because the issue is a stale cached
4539b1c Issue 1215
7b2c310 Adding another note about the save_object stub.
d816614 Fixing #1362 -- I had previously removed a stub point needed for testing.
9b1301c Removing a duplicate call left over from debugging
087480b Replacing all two-space indents with four-space
3980323 Adding ruby interpreter lines to the tests missing them.
9fe2b03 Adding execute bits to every test currently missing them.
fb5f09b Fixing how the Indirector::Request sets its options.
4b29a5e Fixing how the indirection tests for whether the request has node info.
6764af3 Change description of spec to make baby jesus happy
946081b Try again
bdc578a Applying the fixes recommended by David Schmitt to the inline documentation of
886c984 Updating the docs for ResourceTemplate.
29c840a Adding a class for using templates directly within resources
1205881 The mongrel and webrick REST handlers now extract certificate information.
e8044f9 Adding to the indirection request support for authentication information.
dbd9b40 Updated fix for ticket #1271
cf3b98e Applied patch for ticket #1271
9943da6 Further Emacs puppet-mode fixes
3c2e69f Fixed Rakefile to install non-.rb files to fix #1266
ad3803f Fixes for install.rb running of tests that fixes #1267
65c1889 Fixing #1242 -- lack of storeconfigs only produces warning, not exception.
8a22b59 Fixing #1265 -- the ca/client tests now all pass again.
02411f5 Always using the cert name to store yaml files, which fixes #1178.
89100c4 Moving the majority of the pkgdmg docs to the wiki, fixing #1264.
9decf35 Put function in ticket #311 in correct location
6c3e7e1 Reverted function - "Added cron random function fixing ticket #311"
c173264 Refactoring warnings.rb for tests.
e6837a4 Fixing an inaccurate test so the tests will run correctly in all branches.
054a811 Removing extra debugging
bdcf5db Fixing tests that are broken when running as root under OSX 10.5
d55a755 Added warnings test and cleaning up trailing whitespace.
c0f78b4 Fixed a bug in my tests which caused them to fail when run against the master branch.
d54338f Added cron random function fixing ticket #311
6ea494f Pushed patch fixing #1235
c370104 Fixing the node/catalog so that it can convert from parser catalogs to RAL catalogs.
bd51a53 Fixing transaction support for prefetching generated resources.
4434072 The ldap user/group providers now work when no users/groups are in ldap yet.
419f244 Adding support for settings within the existing Facter provider confines.
3e13bd5 Intermediate commit so I can move on to other things.
ee4be4f Removing an unused file. Closes #1229.
b8ce6a1 Mocking Facter in an integration test, so it works with no networking
77ee4ec Refactoring how the provider confine tests work, again.
0820819 Minor cosmetic changes to cleanup some style elements and get rid of some cruft.
6a6a1d9 Another refactor based on feedback from Luke. This includes adding an accessor for @@state to make testing a bit cleaner.
ee04129 Refactored tests based on feedback from Luke.
d7f25ff Rewritten tests for Puppet::Util::Storage.
c5da401 Add unit tests for Puppet::Util::Storage
8008bbc Modified the 'factpath' setting to automatically configure
a02c6bb Fixing a mock in the redhat interface test.
390db80 Updated puppetd documentation which fixes ticket #1227
2d6a914 Fix for latest method in rpm provider (fixes #1224)
38545d9 Crontab provider: fix a parse error when a line begins with a space character
a1409d7 Moving all confine code out of the Provider class, and fixing #1197.
995991d Switching the Provider class to use the new Confiner class.
c9757a6 Moving the 'confine' handling to separate classes.
ac79a79 Duh, fixing all of the paths being loaded for spec in the moved tests.
d02334f Moving all tests that are in 'ral' up a level.
e7bef08 Fixing the user test.
158d3df Added the ability to add arbitrary attributes to ldap.
83ef1b0 Fix for #1219
b500689 adding more autotest docs
c61fc02 Adding autotest info to the ext/ directory.
59b9958 Correcting whitespace in the templatewrapper code.
49dde11 Adding has_variable? support, fixing ticket #1177
d8cc1c5 adding execute bits to tests
5e2a4b5 updating the changelog for the ldap providers
17e8158 Adding ldap providers for the user and group type.
c56e9a6 Fixing another test that wrote to ~
954aad4 Fix Emacs mode indentation of multiple nested blocks
f52e343 Enhancements to syntax highlighting and indentation for Emacs
9bf21a6 Use our own count-matches for Emacs 21 compatibility
20e60b1 Applying patch by martin to fix #1207.
270c007 Clarifying the exception when there's a syntax error but a valid parser.
f3fa589 Fixing a test that wrote to ~.
ae842ea Fix for urpmi provider that fixes #1217
da4cdd2 Fix for ticket #1218 - changed to appropriate variable name
88ec3d8 Cosmetic fix
67dc261 Removed "none" as a valid type attribute value, it was useless anyway
db8a46c New native ssh_authorized_key type
2b185af Add values for dump parameter for the mount type closing #1212
69fc802 Update to man pages, fix to ralsh help text and fix for #1211
c57e194 Fixing an error message to be more clear
5a2bbad fix bindir/sbindir defaults on OS X 10.5
fff6ad9 Fix for ticket #1209
b2a3db9 Fixed #1196 - added /sbin/service support for the redhat service provider + some doco fixes
62ca726 Fixed some tests broken by #1176
82b9f61 Added puppetlast script to ext directory
a35450b Pushed patch for #1176 - configtimeout fix
57fd88b Pushed patch for ticket #1191 - adding globbing support to ports provider
b5640a1 Pushed patch for ticket #1187 - freebsd pkg_add support
0a5d8a6 Fixed #1195 - support for gentoo openrc
4599791 Pushed schema patch for #1193
eac14f6 Fixed #1189 and added support for --all to puppetca --clean
d9846fc Fixishing some pending tests, including filling in
cb617f2 Making the changes necessary to get the REST support
a6a397b The 'destroy' method in the indirection now returns
04aba52 fill out specs for network_* methods; refactor lowest-level network hooks
a0804ae adding rest_connection_details helper to Indirector::REST -- will need to be overridden to lookup the real connection details
aed1375 make sure unit indirector specs are working with #save; fill out network_put pending specs
75bf05d removed a debugging helper from the Indirector::Rest#save method
9187a34 updating mongrel/webrick unit tests to match integration-tested version of REST save functionality
93bc1a9 adding REST save support, with integration tests. A handful of unit tests in that area now need to be updated.
99b295b disabling caching for Puppet::Indirector::Indirection as it was causing hella problems with testing save without caching; judging my luke's blog this is going to be rewritten somehow anyway
1befd1d work-in-progress; playing with refactoring network_* methods inside Indirector::REST
f28f20b Added support for destroy/DELETE over REST (including units & integrations on both webrick & mongrel).
0797440 updating search integration specs to include webrick
e8caf13 making search work over REST, w/ unit & integration specs
b750482 unit specs and implementation for Indirector::REST#search method
a7f2dd4 placeholders for integration specs on final REST methods
cebb677 ensure that we only run the mongrel specs when mongrel is available as a feature
dab9deb bringing Indirector::REST specs to mongrel-land as well.
1e0f19b Make mongrel happy like WEBrick.
d24c03c exceptions on remote end now properly passed to local end via REST and re-raised (integration-tested)
7a73434 Much larger commit than I would like to land at once. This is all REST-related code. Two specs are failing related to how Mongrel is initialized for REST; will fix those shortly.
a1c4579 a trivial integration test to test whether the RESTful indirection terminus has a remote shot at working; will need to be upgraded to actually be useful
7d51146 fixing Puppet::Node::REST class name to work with autoloader inflection (Puppet::Node::Rest), so we can do Puppet::Node.terminus_class = :rest
e86fde2 This is the first version where mongrel and webrick are reliably startable and stoppable via Puppet::Network::Server.
c2f8c69 the indirector will not serve xmlrpc (this is the responsibility of the legacy networking code; it was a mistake to include stubbed support for it in the new code); removing
13c40e9 removing obsolete TODO comment
2cdd0f8 puppet-compliant indentation
b49fd49 Resources now return the 'should' value for properties from
4aaad26 Modified the 'master' handler to use the Catalog class to
2925ad1 Fixed #1184 -- definitions now autoload correctly all of the time.
376628d Removed the code from the client that tries to avoid recompiling
3718b64 Fixing #1173 -- classes and definitions can now have the same
d91b6d8 Fixing #1173 -- classes and definitions can now have the same
738889b Fixing the expire method (it wasn't using a request
f285f1a Moved the request creation into the Indirection
d420701 Making the log messages around caching better.
d82ac98 Fixing the executables to use the new indirection api.
7774d9c Ported the rest of the indirection terminuses over to
bf728d2 Intermediate commit.
644d6ba Fixing some tests that were failing because new base types
768315b Adding the ability for indirection requests to be created
38f0f48 Fixing an errant comment
69a321f Fixing the tests that were failing because of the use
f9881ed Adding a Request class to the Indirection layer. This
4032a27 Fixing the integration tests related to the destroy fix. Yay.
0bd5799 Fixing one other test that was failing because of the change
941177a Changing how destroy works, just a bit -- it now accepts
c6729d1 Reworking the caching layer to use TTLs instead of versions
8e1e06f Removing unused code from the file_serving/metadata class.
1458123 Adding an envelope module to handle indirected instance
bd858df Changing the default environment to production.
80f8b80 Adding validation to the user type to confirm that the
92765ea Making a test executable
7295626 Used stubs to decouple our code behavior from the behavior of the underlying filesystem, as well as removing the need to sleep (which caused the tests to take a long time).
911c7fb Additional fix for emacs syntax for ticket #1160
c13486e Revert "Additional fix to emacs for ticket #1160"
bb65226 Additional fix to emacs for ticket #1160
6f1c469 Extend workaround from 56aad69f8cdf8b0b08fdb7985014986223fa4455 to not only fix UIDs but also GIDs
e621985 Changed some non-standard Ruby locations to env ruby shebangs
2036d22 Fixes debian service enabled/disable issue as detailed in #1161.
1c02749 Committed patch from #1160
335972e Pushed patch to fix #1174
6f32e95 Adding the report reference back; I don't really know
f927b97 Updates to rrdgraph documentation
e51d05c Better fix for #1020
4a39d64 Revert "Added updated fix for #1020"
2cac600 Fixed duplicate oid for parentnode and environment in schema - addresses #1170
eae5cee Fixing a duplicate word in the mount docs
4f8df98 Added updated fix for #1020
aa830b9 Adding 0.24.4 header to the changelog
4c63b69 Add a bunch of directives, allows a full parse of stanford's huge nagios config
9d30b26 Fixes #1148 - replaces #!/usr/bin/ruby with #!/usr/bin/env ruby.
874a02f Added check_puppet.rb Nagios check plugin (See #1162)
491a696 I think this will include the man pages in the build but overall the Rakefile needs a rewrite
9cf7150 Added some more tests for loadedfile, based off the old unit tests.
077312a Added rspec tests for loadedfile
0.24.4
======
3a8053a Updated to version 0.24.4
d3e4ed7 Updated to version 0.24.4
55a9009 Pass source to pkg_add via the PKG_PATH environment variable if
6a53519 Fixing #571 -- provider suitability is now checked at resource
528bbf1 Fixing a couple of tests.
017f673 Moved the configuration of the Node cache to the puppetmasterd
bd3f6ec Disabled man page creation by default and updated CHANGELOG
4bfc4ef Modifying the way ensure is handled so that it supports
d93e1b4 Fixing #1138 -- the yamldir is automatically created by the
273c7ec Disabling http keep-alive as a means of preventing #1010.
6aa6fdb Applying patch by Ryan McBride to fix OpenBSD package
5a31959 Added man pages and man page creation logic to install.rb
e5b16b2 Ported #198 man page creation functionality to 0.24.x branch
18320b8 Found all instances of methods where split() is used without
f6325dc Found an array that leaked pretty quickly between reparsing
25b81b3 Fixing a test I broke with my fix to #1147
4f400d4 Fixed #1147: Cached nodes are correctly considered out of
54bedb2 tweak the (already applied) patch in 388cf7c3df7ce26e953949ed6fe63d76cbbb3691 to resolve #1137; also, add tests which detect the problem.
a240969 Applying patch by wyvern to fix #1142.
e00065a * puppet/ext/emacs/puppet-mode.el (puppet-indent-line): Clean up the code somewhat after commit 738d275f41f3eaf015800021dd2dfe6c42a1ae79, as promised.
5f3ed8d * puppet/ext/emacs/puppet-mode.el (puppet-indent-line): Be more sophisticated about what we do at the beginning of the buffer, so that the first expression after an block-opening statement that happens to begin at the beginning of the buffer gets indented correctly. This may need some cleanup, but I wanted to get the correct behavior committed first.
d1d408c Fix bug mentioned in commit f814e23eab140ad01df4a4a3b187fcbf20da02be:
7514057 * ext/emacs/puppet-mode.el (puppet-comment-line-p, puppet-in-array): New helper functions. (puppet-indent-line): Rewrite to handle three more situations: indent elements in an array, indent single-line blocks, and ignore previous comment content when indenting non-comment lines.
40a389a * ext/emacs/puppet-mode.el: Untabify, in preparation for substantive changes.
0c45a5a Adding another commit for #1136 -- Consolidated
4ce1d37 Fixed ports documentation error
c75cc42 Added more detail about the requirement for ruby-libshadow for useradd password management
1dc6dc2 Final fix to #1136 - further changes to --test setting
e714156 Second fix to #1136 - fixed --test problem
2155fe1 Fix for ticket #1136 --verbose cancels out --debug
4cc18ed Applied patch in #1134
2795ba4 fixing another failing test
a40e9b7 Fixing some tests that only failed under certain
7d35ae8 Refactoring how the catalog creation handles errors.
1b3c85b Removing extra debugging
2d90468 Fixing a unit test for node integration
e81fc58 Settings now (again?) do not use a section more than
fca467d Removing explicit requires of types and providers,
34129d9 Removing obsolete code from the fileserving handler.
f62eec8 updating resource references in the docs
d0554db Hopefully *finally* fixed the "already being managed" problem
13c6de3 Adding a rake taks for updating the trac docs
0.24.3
======
0e26a07 Updated to version 0.24.3
990638c Updated to version 0.24.3
18ed28b Updating changelog for 0.24.3
ab72048 Removing a Settings.use that is unnecessary
bba0b43 Downgrading the "Using cache" message from the indirection to debug
1dc0e24 Modified the ldap node terminus to also use the facts version
4a45a1d Caching node information in yaml (I figured caching in memory will
f3a304c Modifying the yaml terminus base class to use the timestamp
8b29368 Adding a filebucket test to puppet-test
da77cb6 Adding a test for local compiling
405802e Using the indirected facts rather than master.getfacts, so no factsync is used
388cf7c Regression in :node_name functionality
872ced7 Flat file now does writing to a tempfile.
4956323 Fixing #1132 -- host names can now have dashes anywhere.
ecb873d Fixing #1118 -- downloading plugins and facts now ignores noop.
e2370b3 Fixing the service-stop on debian, using the patch provided by DavidS
e8029cc Fixing the "tidy" type to use an option hash for specifying its parent class
c955f61 updating changelog for already-closed tickets
eecc22c Cache the same type we check for, hopefully fixes #1116
f1216f8 Revert "Cache the same type we check for, hopefully fixes #1116"
ca0b62a Cache the same type we check for, hopefully fixes #1116
35214eb Fixing the rest of #1113: External node commands can specify
2261032 Partially fixing #1113: LDAP nodes now support environments,
4c0f6c8 Fix for 1094
647f5b4 Always duplicating resource defaults in the parser, so that
ee8fac6 Changed name of method for clarity per code review
8192475 Ticket #1041
4c47656 Applies patches from #1111 and #1112
443db20 Fix tests depending on the Puppet[:localcert] file existing using stubs
8627139 Updating version number
3b5daf7 Revert "Fixes #1099 - use of -m option with -d option for home directories"
0ae58a9 Fixes #1099 - use of -m option with -d option for home directories
0.24.2
======
f019cac Updated to version 0.24.2
bfdac69 Updated to version 0.24.2
6faed12 updating changelog for 0.24.2
ee88c58 Applying patch by DavidS to fix #1083.
a7339ec Fixing a few tests
e008b02 Fixing #1110 -- transactions now always make sure
65b7267 Fixing the fact that resources that model defined resources
4c3fa78 Fixing a few more loading order issues.
857814a Fixing tests that did not work with Rails 2.
7ca0ad6 Fixing a test that changed the environment for all later tests,
9b07758 * Tweaks for puppetshow UI cleanup
0139889 * Add migration for "created_at" (hobo expects it)
43aea83 renaming ral/types to ral/type in the tests
879ee22 Fixing #1062 by moving the yamldir setting to its own yaml
fd1573f Fixed #1047 -- Puppet's parser no longer changes the order
9d6e926 Fixed #1063 -- the master correctly logs syntax errors when
abd688e Fixing #1092 by no longer using the resource reference to
29aafb4 Fixing an integration test so it cleans up after itself
82b02b9 Fixing #1101 -- puppetrun works again.
dd17d4c Fixing #1093 -- 0.23.2 clients are again compatible
c0b5352 testing automatic commit emails
614ab9f Adding a 'control' parameter to services, for those
bb8051b Removed the loglevels from the valid values for 'logoutput'
ff4f65a replacing tabs with spaces in the redhat interface provider
f3db79e Fixing a typo in the mailalias resource type
4e55999 Removing the validation on package sources, since
42bfdf2 Fixing #1085, I think -- I was not returning a resource
1258512 Fixing #1084 -- the node catalog asks the individual
9a33487 adding a comment to the namespaceauth.conf file
04892ee Adding an example namespaceauth.conf
f0975df Trac #1038: not a fix, just an attempt at improving the situation.
c8b320e Corrected #1040 fix - this should now be right - trace was after raise
07cd482 Making a couple of other small fixes, requiring
ff97059 Somewhat refactored fileserving so that it no longer caches
939c952 Fixes ticket #1080
f184228 Fixes ticket #1079 - added . support for tags
9b6e501 Fixing a test that was failing when a user-specific
5d35bc5 Fixes #1078 and includes new test
7976015 Removing a test I never migrated from test/unit.
279a0c5 Fixing a test that was actually reading in keys
098a69c updating checksum for #1010 fix
b06767e Quashed commit of my fixes for #1010.
5e18b8d Hasstatus in the init service provider; it was just
60f18c2 Fixed minor documentation error
39a6756 Fixed #1073 - moved show_diff and other logic post config parse
f006e17 Fixed test for #1040
1f0ea5a Second attempt fix address ticket #1040
39f9818 Removing some extraneous debugging from a test.
d82bfd8 Attempt to fix #1040 - catching errors in compilation
e830f28 Fixed #1018 -- resources now have their namevars added as
60dd569 Fixed #1037 -- remote unreadable files no longer have the
2de4654 converting parser ast node specs from setup/teardown to before/after
9927efb converting parser ast host class specs from setup/teardown to before/after
c86c1da converting node catalog specs from setup/teardown to before/after
61cdc2b converting indirector yaml specs from setup/teardown to before/after
f702096 converting facter indirector specs from setup/teardown to before/after
516e5b6 converting indirector checksum file specs from setup/teardown to before/after
d260b7e converting parser compilerspecs from setup/teardown to before/after
1913134 converting mount provider specs from setup/teardown to before/after
6781e10 converting indirector terminus specs from setup/teardown to before/after
dba64dd converting file serving configuration specs from setup/teardown to before/after
b4c8f99 converting indirector ldap node specs from setup/teardown to before/after
3cb1118 converting indirector direct file server specs from setup/teardown to before/after
9e632bc converting parsed mount provider specs from setup/teardown to before/after
becafab converting mount type specs from setup/teardown to before/after
034336b converting indirector file specs from setup/teardown to before/after
12f139c converting package type specs from setup/teardown to before/after
b8d5ce0 converting fileserving/configuration/parser specs from setup/teardown to before/after
eb0bdcb converting indirector/module_files specs from setup/teardown to before/after
22d6f9f converting ral/types/schedule specs away from setup/teardown
d04567a converting indirection specs away from setup/teardown to rspec compatible before/after usage
aa14ce7 moving setup() methods to before :each, so that the tests will run with rspec, as opposed to just rake (which calls them directly with ruby, as opposed to any spec binary)
f9f32c4 reordering spec binaries to prefer the local vendor/gems/rspec/bin/spec option
d11cd39 Fixing a failing test that resulted from a change
62d7616 Fixing the directory service provider's behaviour
f087df0 Fixed ticket #1072 - Debian directory updates
0eede76 Fixed Ticket 1009 - problem with plist xml parser. We do not need the plist parser for pkgdmg.
458cb23 Fixed ticket #1070 - puppetrun configuration parse problem
2e41803 Fixed ticket #1069 - removed remaining references to multiple configuration files
10d4d0e Fixed ticket #1065 - Solaris SMF manifests
8fa4120 Fixed ticket #1068 - Minor documentation fix
30128bd Really minor change to user creation in Leopard.
6013b25 Refactoring the incremental checksum generation
aebd303 Enhancing the stand-alone checksums utility module
df3fbc7 Fixed #1060 - Debian service removal and addition
5ef8a3e Changing portage to use Puppet::Error instead of Puppet::PackageError,
c4f7c51 Fixing comment -- ticket #1027 instead of #1064
8920557 Fixing #1064 -- providers et al are now autoloaded
4829711 removing "lib" deprecation notice from autoloader
f8afe13 Fixed #1043 -- autoloading now searches the plugins directory
fe02591 Fixed #1003 -- Applying DavidS's patch to fix searching for
9b1bfc1 Fixed #992 -- Puppet is now compatible with gems 1.0.1.
0cfa1d2 Fixed #968 again, this time with tests -- parseonly works,
8367fdf Renaming the 'pfile' and 'pfilebucket' files to plain
a42c3ae Fixed #1021 -- the problem was that my method of determining
d406353 Removing the last vestiges of GRATR from the PGraph class
068b61e Removing obsolete references (they're in the indirection
98dbfa2 Loading the mocha gem from the puppettest.rb file.
12fa0fa Fixing the Rakefile so all tests run in one task instead
cb5def4 'rake' within the spec dir works now, anyway, which is
eb74033 Fixing the puppet_rspec autotest plugin to use the modern interface
1b90f7f Trying to upgrade rspec, but not having much luck.
bcb9b56 Copying over Rick's work from the master branch supporting autotest and
3af6827 Adding an inflection util class.
7e45553 Fixed #997 -- virtual defined types are no longer evaluated.
c8da318 Moving the ast node tests to rspec (which I could have
8b2fae0 Removing the last remaining vestiges of GRATR --
cf21ade Switching the Node catalog to use the Tagging module
744cd45 Added a 'tagged?' method to the Tagging module.
d21416b Switching the Node Catalog to using a separate method
fd0c5cb Changing the name of the Compile class to Compiler,
5ebaa89 Refactoring the interface between the Compile class
e247b56 Changing some methods in the Compile class to
6a4cf6c Fixed #1030 - class and definition evaluation has been significantly
3b740ff Converting the Compile class to use a Node::Catalog instance
194e730 Moving all of the tests for Puppet::Parser::Compile to
fb4bdc0 More AST refactoring -- each of the code wrapping classes
5a0e34b Refactoring the AST classes just a bit. I realized that
82720d5 Removing some obsolete code from the AST base class
dbaffae Ceasing autoloading ast files; loading them manually instead
7c500da Stubbing Facter during the snippet tests, so they are faster and work with no network
084d0fb Adding more information to dependencies that do not resolve
b293763 Applying patch by Jay to fix #989 -- missing crl files are
2931723 Fixing the Settings class so that it correctly handles
f7b0ca9 Fixed #1052 - fixed gentoo service management
b3f67ec Fix ticket 974. My original "fix" wasn't. This actually fixes the problem by using a regular expression that matches only up to the first square bracket.
8f0d87d Added :env parameter for backwards-compatibility, with warning about deprecation. :env parameter sets new :environment parameter. Changed instances of :env to :environment for consistency with other types. Added tests for new parameters. This cimmit fixes ticket 1007.
139ff33 Fujin's patch for ticket #1007 - consistent use of 'environment' instead of 'env'
aedd59c fix bug 974 - filenames with opening bracket characters generate exceptions
b8036a9 Updating the docs for the cron type
28a8577 Added hostname test for hosts type
16df87c Updated fix for ticket #151 and added a test
ed0c745 Fixing #1017 -- environment-specific modulepath is no
ade9f3c Store a resource before adding relations to it otherwise activerecord will
047ec54 Fixed tickt #1034 - doco typo
6ff9423 Significantly refactoring the lexer, including adding Token and TokenList
11799b3 Fixed #1001
348aa3e Fixed #1028 - examples incorrect for 0.24.x
974fcdb Removed womble-specific Debian build section
321b8fd Fixed #1006 - changed ldapnodes to node_terminus
ee6ddc9 Removing tons of unnecessary calls to "nil?" from the lexer.
7a4935f Fixing a couple of tests, one related to recent tagging changes
9a290bb Second attempt to fix ticket #151 - host type now validates IP addresses and hostnames/FQDNs
4a7fcfc Revert "Fixes ticket #151 - host type now validates IP addresses and hostnames/FQDNs - the regex for the latter is quite complex but I have found it bullet-proof in the past"
b561ae6 Fix bug #997, only evaluate non-virtual definitions
1ccc9c3 Fixes ticket #151 - host type now validates IP addresses and hostnames/FQDNs - the regex for the latter is quite complex but I have found it bullet-proof in the past
d7a89b4 Fixed #1019 - made libshadow available for non-Linux users
8a649ff I think I've finally fixed #959, by having the Settings
52eba77 Fixing #794 -- consolidating the gentoo configuration files.
f43be56 Removing the line that marked fink as the default package
f98be4a Fixing #976 -- both the full name of qualified classes and
2cbab2c Fixing #1008 -- Puppet no longer throws an exception
f5674cd Fixing #995 -- puppetd no longer dies at startup if the
7a9aae8 Wrapping the Resolv call in the mongrel server so if it
9161ae8 Applying a fix for #998 -- I used a patch equivalent to
046a326 Fixing #977 -- rundir is again set to 1777.
4618140 Updating docs for ssh.
7ee4746 Adding a parse test to puppet-test.
35145f3 Fixed ticket #1005 - added additional logcheck lines
b24ac77 Fixes ticket #1004 - documentation fixes for ralsh and puppetrun
1ff9d65 Updated documentation for builtin cron type; added information about range and step syntaxes.
f15696c Updated tagmail documentation fixing ticket #996
e3d4ea8 Fixes ticket #993 - tagmail with smtpserver specified does not add To/From/Subject header
40addcd Fixing #982 -- I have completely removed the GRATR graph library
927dff4 Fixing #971 -- classes can once again be included multiple
117926c Fixing the unit tests for nagios_maker; I could swear I'd already
a7bca7e Removing the requirement in the parsed mount provider
1bdf3f8 Fixed #984 - Added Debian to reponsefile doco
b1f13af Fixed #980 - minor wiki formatting error in nagios_maker.rb
2f9c13b Fixed ticket #979 - code configuration option doco
039dc8d Fixed ticket #979 - pkgdmg.rb documentation
1154c42 Fixed ticket #978 - logcheck/puppet
33e319a Added builtin support for all Nagios resource types.
68cde4f Removing the one-off naginator provider for nagios_command.
348f257 Adding the metaprogramming to create the Nagios types
4e8bc40 Fixing the inability to manage '/' directly. It was a result
9b1d036 Adding the first round of Nagios code. There are no
20367c6 Updated for 0.24.1
20d430d Adding 0.24.1 tag to the changelog.
0.24.1
======
4fa6546 Updated to version 0.24.1
d17fb7a Updated to version 0.24.1
40439da Updating an exception message a bit.
e2fc425 Attempting to fix #952 -- catching any exceptions thrown
c59ff62 Further fixes toward #965. Turned out that the previous fix
4d28b10 Updating the failure when the CRL is missing, so it's
e4446b6 Fixing parseonly with a modified version of jay's
bc0616e Updating filetype detection for vim, and changing
927cb24 Fixing #967 -- default resources no longer conflict with
c998a25 Adding a --print option to puppetca that just prints the full-text version of a
9c32c9c Removing the ability to disable http-keep alive,
553b2ad Entirely refactoring http keep-alive. There's now
92b0ebc Fixing #967 -- relationships now work when running 0.23.x clients
1ada24d Fixing some tests that were failing with the recent ruby that has
c22a584 Uninstalling packages through 'ensure => absent' works again for the rpm and yum providers.
8f5989a Updated for 0.24.0-2
cc2d532 Updated for 0.24.0
933b1df Fixing #961 -- closing existing, open connections when
e0dab9a Updating changelog to reflect the fact that we no
4d3a368 Remove the warning about an explicit plugins mount.
178093f Fixing the Rakefile to include the yumhelper.py file in
0.24.0
======
6b02bd5 Updated to version 0.24.0
e92f1cc Updated to version 0.24.0
22daebe Adding changelog update for misspiggy/0.24.0
e0f5444 Fixing the webrick test to provide a correct host
106f319 Changing the statefile to only being managed by clients,
4ebb8d0 Hopefully finally fixing #959. Loading the stored cache
690e287 This should be the last fix for exported resources.
f1169ee Not using the main section when running the store report, since it is unneeded and can cause conflicts within puppetmasterd
ce5cab1 Removing extraneous debugging from the schedule resource type.
cb0c4ee Renaming 'configuration' to 'catalog', fixing #954.
7ac3bd7 Renaming the 'null' terminus type to 'plain', as
a21ee00 Copying the fact-loading code from the network client to
1bbaf18 Applying patch by whaymond to fix #955.
d9200a0 Adding what is hopefully the last commit for #896. Here's the
74db777 Removing the 'addpath' commands from the freebsd service
b19a0c9 Removing the recently-commited paludis provider,
02b64ab Applying patch by josb in #884 to provide pattern
584127c Applying patch by raj in #881.
4ee5ab8 Applying patch for portage package support from thansen
ed642ac Replacing freebsd service provider with the one
117f005 Adding paludis package support as provided by KillerFox
3248c93 Fixing #937 -- I had not ported the dot methods at all,
a8bf74b Fixing #946.
b70f00a Fixing some further failing tests resulting from the fix for
862d1f7 Adding an Indirection reference, along with the work
da77e4a Updating the changelog with external node info.
f127d04 Fixing #951 -- external nodes work again, but you have to
7a4ae08 Fixing the rest of #948. My previous work was sufficient,
3790ce1 Fixing part of #948 -- per-setting hooks are now called
b852c2f Fixing #941 -- calling pkg_info instead of info
ae33e57 Fixing #923 (again). The host storage method was not
9ad7d1a Adding basic unit tests for type/user by DavidS from #948.
038b9c8 Fixing #923. Resources that are collected on the local
5886d37 Applying patch by whaymond_home to further fix part of #896.
072b03e simplify PluginsMount
a012849 Updated tests for http_enable_post_connection_check configuration setting.
4d4abd3 Better test to match the behavior of the code.
24cacdb Fixed test case for http_enable_post_connection_check
f94d6d3 As per lutter; augmented fix for #896 to be configurable and defaulting to validate the server certificate, honoring CVE-2007-5162.
8eecbe5 Fixing another failing test I somehow missed in my last big commit
88304cc Renaming @model to @resource in a provider
75647ee Fixing a couple of tests that were failing on a different platform or with a different version of ruby
811fefa Fixing #892 -- filesystem mounts are no longer remounted.
dedc56a Fixing #527 (rewrote service tests), #766 (services only restart when they
421b3fc Another backward compatibility patch, this time helping with a new server and old client
bbf8a8b Making a few changes to the transportable class to enhance backward compatibility
11ae473 Theoretically, this patch is to fix #917 (which it does), but
8127397 Fixing puppetca so it passes its tests, duh. Apparently
2282046 Adding a top-level ResourceReference class that everything
c6d1746 Fixing the first half of #917 -- the ResourcReference
6c1d8d3 Applying fix to xmlrpc client tests by Matt Palmer
6b2c0d8 Fixing the error message as requested in #893.
1b2142b Applying patches from #823 by wyvern
c7cd7ec Fixing the markup on the pkgdmg provider so it is a bit better
1e6ba6f Fixing #781, from what I can tell. I'm leaving it with
5d30ea9 Fixing #810 -- I catch the error and prefix it with something
4e52ffc Fixing #796 -- the fileserver can now start with no
168fa5f Fixing the asuser method in Puppet::Util::SUIDManager
0ef6b95 Fixing #931 by keeping track in configurations of
a38b415 Fixing #927 -- rewriting the test to actually test what it's
7ff8ea5 Fixing the persistent and periodic schedule test failures
18b4c3a Fixing #924 -- clearing the configuration cache before and
2cb1199 Fixing the breakage that I caused when I added the 'declared_feature?'
2d19ee2 Fixing #920 -- I have replaced the existing mount test with an
c3dde68 Fixing #919 -- installed packages used for testing are just ignored,
47890f9 Fixing a test that was erroneously testing for the wrong feature
12ebbe2 Rewriting the tests for the package resource type, fixing #930.
fc7f1b4 Fixing #921, mostly by just deleting the existing test. I had
9311bdd Applying patch by trombik from #756.
b575d15 Integrating Matt Palmer's patch to provide a 'plugins'
36c947e Fix #896 - Always disable DNS checking of certificate when making https connections.
3fb8e2e Applying the rest of Matt Palmer's patches
7eb09ab Implementing the test for setting the Rails
676efa7 Incorporating patch 20071030034736-6856b-6004090b3968cdbf7d366a03ee1c44e2160a3fe0.patch
7f1b2d6 change up rails specs again with Luke's help
8de1412 Integrating most of Matt Palmer's from
a88891a Fixed #906 - Augmented Cert DN regexp check to work with Pound and Apache.
c19d08a mock all use of Puppet[] in Puppet::Rails.database_arguments
e69e0c3 fix spacing
b435f04 fix socket argument to AR and add rails spec
e53693e Hopefully fixing #698 -- fixing the markup for the pkgdmg package provider
7c36ae9 Adding patch 20071030035457-6856b-bd1c45ed5ecd753b2cb4f05347061f7245cc175a.patch from womble -- Force removal of directories during pluginsync
880a8e2 Adding patch 20071020020745-6856b-dbc63ff3f137a4039fb997b9978202d52f621e8c.patch from womble -- Fix some residual instances of /var/run fever
696f1fb Adding patch 20071020015958-6856b-69efa7868cf3df3f2a2da6fcfc3b794bbb532c7f.patch from womble -- Remove rundir from puppet.conf, and add a NEWS entry to document these changes
7a95017 Adding part of patch 20071020011907-6856b-05b59120fdb90ab4a5842f91613247b07206a4ba.patch from womble -- Fix for Debian#447314, by fiddling with /var/run/puppet. This does not accept the whole patch, because the change needs to be tested around other platforms.
38b970a Adding patch 20070927050018-6856b-7fa134180aceb9cee2e667630345f5f8467a9d0c.patch from womble -- Catch more retryable errors in the XMLRPC call wrapper
276034f Adding patch 20070927042000-6856b-38a0c82fd0a0d950937e7fe5a38b9901743402b3.patch from womble -- Recycle the connection more aggressively, to stop problems with clients that are newly requesting certificates
3bf7031 Adding patch 20070926235454-6856b-079fc12a9b63d59afd59aa205bc8bfeb350b097a.patch from womble -- Recycle the connection if we're presented with an EPIPE
0ebd99e Adding patch 20070926214630-6856b-edd313b08555033710c90a94d9d8beaf889d6cf4.patch from womble -- Fix spelling mistake in debian control files
7ed1c17 Adding patch 20070913032650-6856b-b1cca1c249415c6076ffcecb9df1525a728457c7.patch from womble -- Fix annoying database deletion error for ParamValue objects.
28430c4 Adding patch 20070913032546-6856b-0de200e8450920e7f712c54bf287ae43c7fda8af.patch from womble -- Only set dbuser if explicitly asked for
d7b381b Adding patch 20070913011122-6856b-98bf03f09c8e19679390d73fdddc2e4d1273f698.patch from womble -- Add changelog entries for the pulled pgsql patches
a7d75d3 Adding patch 20070913010926-6856b-eb64be3b5169b7af674388124b406a1db7470880.patch from womble -- More restrictive permissions on some puppet-related directories
407734f Adding patch 20070913005414-6856b-db5ea77e10ec6869ad01a4bd6483912c337f3a70.patch from womble -- NEWS for the ssldir transition
1486d39 Applying patch 20070913004017-6856b-cdbbba99de0b33b64874205a27833b5114fcc6b9.patch by womble -- Allow empty config settings
03c8ffd Adding patch 20070913003810-6856b-cdc8b2e8c6c46eb8d6d073f86291a0fc5a59f429.patch from womble -- Only set the hostname and password if we want them; this allows pgsql ident auth to work it's magic
035fa38 Adding patch 20070905004837-6856b-2e7b8d8595ee0883537620c46424a4bf6174dc6a.patch from womble -- Add an attr_accessor for @http#ca_file, since older versions of libopenssl-ruby only provides ca_file=, not ca_file
63b205a Adding patch 20070831053637-6856b-dd0fddab681485ce7cea0b57336d0c48fa33f7f8.patch from womble; updates changelog
72c0e7b Adding the debian directory via patch 20070831052721-6856b-b90bb56a4ed37ea420f10352a0a366068cddc7e4.patch from womble
7efe24f Fixing #882 -- I just added a quick hook to the
56aad69 Patching a bit for #804 by making the maximum much higher UID
a525ab5 Fixing a couple of tests that were failing because of the environment changes.
6d74ddd Accepting a modified form of the patch from #885 by immerda.
b745f04 Fixing #886 -- the problem was the I had changed the base
dbe70a1 Added calls to endgrent/endpwent in util/posix.rb to
7f504b0 Applying patch from #896 by whaymond_home, adding more
1cb40ec Obviating targets in interfaces; they now just generate a warning.
eee9f5e Adding more tests to the redhat interface provider. It no
1a4e4fb Rewriting the sunos interface provider to manually parse and
8cbe8bd Adding unit tests for the sunos interface provider.
3d2e1a5 Adding some unit tests for the interface type before i go messing around with it
cca613d Fixing the first part of #787. Not all collections were
96b3cde Applying patch from #834, apparently fixing a problem
9472eef Removing the bootproto and broadcast attributes from the redhat interface provider, since they are not needed
a7a46af fixing the path to the spec helper in the exec test
3d31dc8 Fixing #762. The main problem was that I accepted the patch
8ecdfc2 Moving the exec test into the types/ directory
94e63ad Fixing the last failing test relating to the environment changes
7fe5bfc Fixing the exec spec so it works when non-root and is a bit cleaner
8cc07ad Using the Environment class to determine the default environment,
53008e5 The Puppet settings instance now validates environments when
9e5fc76 Fixing #911 and #912 -- there's a default environment (development)
cc88441 Removing the manual ssldir setting by David in 59626cb3907d36e4fd762277daa76f523faf0908
1bf3999 Fixing a failing test from my fix for #446 -- I had changed
3f0b250 Fixing a few test suites that passed when run as
4bd7b6f Fixing #896 by applying DerekW's patches, with slight
8ad2732 Fixing #446. I ended up largely not using porridge's patch,
1b78f57 Add Exec{ logoutput=> on_failure }
2b14f62 Reverting the changes I'd made toward removing the global
9cf477b Applying fix by Jeff McCune from #905
edc4b1d Fixing a SimpleGraph unit test so it doesn't depend
c19835c Fixed most failing tests, but there are still over thirty failing.
4afbaa6 fix #903: add patch from hrvojehr
32d9afc tests for #903: fail when no logoutput is generated on failure
9290cc8 Modifying how default resources are created; they are now
ffb4c2d This commit is the first run at removing all global
b65fb83 Fixing a parser test -- really, just removing tests
72510bf Fixing #800 by refactoring how configurations are retrieved
dd7caa7 Moving some compile tests to the spec/ directory, and
47a2605 Changing the 'main' class to no longer be lazy-evaluated.
a4e8f1c Adding a memory terminus for facts, which is really only used for testing
3851415 fix dependency on $HOME, which causes massive failures when running without environment
59626cb fix failing CA test, when testing with incomplete setup (no ssldir, no DNS)
a6ad326 fix the underlying dependency on the environment in the cron type
d48ee3e fix crontests depending on ENV[USER] by using Etc.getpwuid(Process.uid) instead
8fe892d fix a testfailure when running spec tests as root
445c29c fix #872: improve property(:content).insync?
5726412 tests for #872: check interaction between "replace" and "content"
61ef289 fix #815: add :main to all use() for :reporting and :metrics
418bc21 remove obsolete runners variable
a535cbb Commenting out the time debugging I was using
3f583dc Adding unit tests for the module that handles the
8f04446 Fixing the 'mount' tests so that they no longer
ba19989 Switching the class resource evaluation to only happen
cf75168 Classes once again get evaluated immediately when the
4441052 fix #891: create a plugins mount which collects all modules' plugins/ subdirs
dfe774f Switching the base class for the Relationship class.
4194526 fix #760: property_fix has to be called after creating a symlink
b250416 fix #731: add exported=true to collect_exported
1ffcce0 Splitting the puppetd tests into two tests. It is still not a very good test, but I do not know of a good way to test this, really.
065a1d0 Switching the graph base class from GRATR::Digraph
3f21e93 Adding a new graphing base class, because the GRATR stuff
ef99495 Caching the 'parent' value, which resulted in
826efe8 The configurations should now be functional again --
db293cf Fixing a bit of indentation and commenting in the xmlrpc/client file
956daa5 This won't be perfect by any stretch, but put in a moderately reasonable autotest config file.
c7b36b7 One significant step closer to getting autotest running properly on the Puppet specs.
6585835 Adding patch from #879 by tim
d03f68e Changing the test/ classes so that they work from the main
c0a07ac File serving should work now, both recursive and
54fc80d Exceptions on requests are now captured, exceptions are serialized, and exception text is passed back via REST.
e7bfe0b Finish serializing successful results (via calls to to_yaml, etc.) for REST handlers. Refactor request building in REST handler specs.
d28a904 REST handlers now properly returning 200 status on success.
1746751 Adding post- hooks for :find and :search in the indirection class.
09f9c3c Adding the calls to the authorization hooks in the Indirection.
b874751 Renaming the FileServing TerminusSelector module to IndirectionHooks,
de5d91e Renaming the :local termini for metadata and content
7fa99b0 Link handling is now in the file serving classes.
688fcdf Adding searchability to the fileserving termini, using the
393a3e8 Adding a Fileset class for managing sets of files. This
b2b8f75 Adding authorization hooks to the file_server and
8f827ff Renaming the 'mounts' terminus to 'file_server', and renaming
08099b7 File serving now works. I've tested a couple of ways to
264331b Partial work done for ssl certificates.
ec39672 Adding this test stub that's been sitting
fc60751 I've now split the file-serving termini into two separate types (in
64c6700 Fixing all of the classes that I just renamed, and adding
56b83fe Renaming the file serving indirection termini to match
33d7dc0 I'm working on making file serving work in the indirector now, so I
8156185 Renaming the file_serving/{content,metadata} indirections
2718b63 This is the first mostly functional commit of the
e1dd5dd Adding spec stubs for authorization in the indirection
e69a50a Fix test which is conditional on mongrel installation.
8bf5196 Oops, forgot this file in my last commit.
d0bd48c Adding the first pass at modifying file serving
d2b891f More specs, fleshing out the returns from REST
e5921c5 getting more fine-grained with the response specs -- the target is always moving.
705f76f Argument passing now supported on {webrick,mongrel}+REST.
ce34968 Make the actual runtime be more robust when mongrel is not installed.
6cd0f37 Make it possible to run all tests even if mongrel isn't installed. Shouldn't "confine" produce some output when running spec? Who knows.
216dd8c Refactoring, argument processing for model methods.
abbc824 Tweak to move model lookup functionality into the Handler base class where it belongs. Robustifying the request sanitization a bit more.
2a497ff Refactored to use a Handler base class for server+protocol handlers. Finally eliminated dependency on Puppet.start, etc., from WEBrick HTTP server class. {webrick,mongrel}+REST now support request handling uniformly; need encode/decode next.
6ab78f6 Inlined the controller, eliminating a class. Mongrel+REST has the right bits for request handling prior to the encode/decode/exception-handling bits. Refactored to make the common logic extractable to a base class.
b8c877c Registration now built for {webrick,mongrel} REST handlers.
3c370b3 Going back to each server+protocol object being responsible for only one indirection, as the REST vs. XMLRPC models are different enough that the object must register itself on initialization and handle the request when it comes in.
c06edda First pass through initializers of {mongrel, webrick} REST handlers; hooks into Indirection to look up models from indirected names.
ab4c7fa Minor tweaks to make the ::Server initialization a bit more robust. Fail on unknown HTTP Server types; fail fast.
099c546 Finish front end of delegation to server+protocol helper classes ("handlers").
b1d6223 Bringing in initial handlers for server+protocol pairs.
a815f78 Reorganizing the file structure for indirection terminus types.
ba95202 Partial support for building Handlers for all handler-protocol pairs.
ef8ebe0 Implementing address & port support for new webrick server.
c34efbc Hooking up address/port support for the various servers w/ specs. Still need to start up a webrick server w/ address + port (this is far too incestuous with Puppet lib & Puppet.start at the moment).
9a179ec trivial: WEBRick -> WEBrick, to be more consistent with how the WEBrick ruby classes are named.
e56406f Implementing listening state tracking for webrick and mongrel.
ec71e05 More unit specs for mongrel and webrick; more code to make them work, yo.
31384fe Pushing functionality down to webrick/mongrel classes now; cleanup in the base server / http server classes + specs.
694f98b Fixing failing tests, including making the debian service
29feac0 Translating the report handler to an indirected model.
74d77f7 Adding version handling through most of the indirection work.
e90191a more stuff for the interim commit
10039b9 interim checkin of network stuffs
512096a Fixing some small spec failures resulting from test fixes.
d24c1cc All tests should now pass again.
ec58355 Fixed #819. Applied patch provided by matsuu.
7ac7872 Fixed #822. Applied patch provided by DavidS.
fc9c850 Adding support for versions and freshness-checking
1befcc4 Homing in on a clean separation of concerns for a low-coupling, high-cohesion "server" model that will handle REST and/or XMLRPC on webrick and/or mongrel.
5c32c8e Somewhat better documentation of the :absent field feature in fileparsing.
d055cbc Make it apparent that absent fields in a record have a value of :absent, which is different from what appears in a line.
b6dc1ae Trivial tweak on HTTPServer module file
a7d220b Moving the webrick/mongrel "servers" over to HTTPServer module instead of Server. Using Server as the master class for client connections. Server (former RESTServer) will instantiate the appropriate subclass based upon Puppet configurator setting. There are now tests broken in the network section which I can't seem to figure out yet. Not a happy place to be.
cdaad28 Fixing error thrown when the end of the file is encountered unexpectedly
7d7e428 Removing obsolete comment
f084d83 Another round of test-fixing around the changes I made
9c58c47 Adding a :code setting for specifying code to run
d35cd94 Making "null" the default node source, so nodes are at least created easily
0e336bf This commit is focused on getting the 'puppet' executable
1fa5912 Adding the integration tests to the Rakefile for spec,
a93db87 Adding another test to the ldap node source -- we make
9984a35 Fixing some terminology so some ldap tests are easier to read.
6acde71 Switching the indirection from using settings for configuration
8ba3a70 Fixed #838. Applied patch provided by DavidS to add more robust
f41c843 Fixed #837. Added freebsd service provider by trombik.
533ce4b Fixed #855, but I didn't add any tests.
19ad238 Fixed #827. Applied a form of the patch provided by porridge and
29accba Minor tweaks.
2412199 Allow for multiple REST servers to be active; some terminology changes in spec; fleshing out more behavior, implementing.
102ad23 Added .listening to REST server, handle listen states and transitions.
187d910 Spec'd a reset() method for clearing out known routes. Uses the unregister method so that any hooks there will be run. Probably a violation of YAGNI, but I'm willing to suffer it :-)
fd841b3 Updating first portion of the Network RESTServer spec with example code, getting the added examples to pass.
9236179 Attempting to reproduce and fix #829 by applying patch by Paul. I could not
e5c623e Fixing tests for the Configuration object, since I
938f051 Fixing #817, mostly using the patch by DavidS. I could
fd11603 Removing the Id tags from all of the files
bb3b3ce I finally tracked down the problem that was causing providers
782bc4d Fixing the yaml path so that it is correctly
7c8fc8b Fixed #854.
d4afe39 Fixing #813 -- empty configurations again work.
5d50ca7 Fixing #814 -- when files are missing, the exceptions should
1be1db9 Updated CHANGELOG.
0b8893b Fixed #832. Added the '--no-daemonize' option to puppetd and puppetmasterd.
b45a7ca Adding more behaviours to the Puppet::Module spec,
3f90ddb Interpreting "hidden" class from spec drafts as a REST Controller. This name, functionality, and/or location in the tree is subject to change, but it's down now somewhere so we can move forward on it.
861c21d Added partial spec for the serving of REST information, as well as some client-side REST terminus behavior.
8722e43 Use external helper script to talk to yum; should avoid any more trouble with "yum list". Fixes trac #836
1174d99 Fixed a failing test where we presumed that non-string Fact values would have type preserved across a P::N::Client.master.facts call, which is not true.
7fe18e3 Fixed a test which was secretly sneaking off and pulling certs from ~ if they were there: Added set_mygroup method, removed duplicate setme method. Included PuppetTest in the XMLRPC servlect test.
fa643e6 Adding more indirection termini, mostly focused on caching
938b918 Adding cache support to indirection. If you have
06ad6a3 Updated the configuration doc to more clearly explain where puppet.conf is expected to be by default.
c8d02bd Fixing ralsh to use a configuration instead of a component
ffaa8ce Demoting the "file does not exist" log to debug from notice
c3c3e51 Fixing a small problem with the mailman type
f8ab62b Renamed princs to principals in the k5login type.
6079348 Added k5login type written by Digant Kasundra. This is for ticket #759.
2e33061 I changed the Terminus class to switch camelcase
d6fd60c Removing obsolete fact stores and node sources. The functionality has been moved into the indirector.
cdc8ea6 Taking a first stab at moving configuration compiling
c40da33 Adding a "memory" node terminus, which will
1e7c648 Fixing the spec for the checksum terminus to match
048464f Adding my first integration test, verifying that
84146d0 Adding the first version of checksum support, which will
3a18348 Renaming the 'Puppet::Util::Config' class to
e552c83 Adding the base file terminus. This will, at the least,
86dde63 All tests now pass in this configuration branch, which means
60cd6a7 The structure for handling resource generation is now
a666995 Adding the last tests for the ldap node terminus. I managed
ebe7290 All indirections are working, and they have all
b9dc6cb It looks like the new indirection setup is complete.
02275f0 Adding automatic association between terminus subclasses and
da0555d Adding the first top-level terminus (yaml). It works
0a48e5f Moving the Puppet::Indirector::Terminus class into its
7e2ff4b Adding a couple more tests to the indirector, talking about
7740cd4 The indirector specs now all pass. I think I need
4e8b671 The unit tests for the newly-resurrected indirection class
8212f88 Fixing all existing spec tests so that they now
944cd0e Whitespace and comment commit.
46d6906 An intermediate commit so I can start working on a different
e90a51f More spec and indirector updates.
129cce8 Finally, some progress. Closing the loops and delegating registered class calls out to the actual Terminus.
a6c4041 Reworking the Indirector code. Continuing to fight the classgen and instance_loader "utilities".
9fa2628 This is basically another intermediate commit. I feel like
19e0493 Updates to indirection stuffs. Making a better spec and migrating to it.
b3c8cdb Configurations now set a "configuration" instance variable in resources that are inside a configuration, so the resources can interact with the configuration to get things like relationships.
f17f19d The whole system now uses Configuration objects instead of
f014d73 Partial fix for #772. The SIGHUP now produces a EOPNOTSUPP instead of NameError.
3ccf483 Removing the completely obsolete passwd2puppet and the obsolete component.rb
3632926 Moving the resource container behaviour to the Configuration object, rather than the base PGraph class. I expect I will just do away with PGraph, but for now, I am at least going to keep configuration-related code in that class.
43f22a2 Adding a to_graph method to TransBuckets, so that the buckets can directly generate a graph, rather than having to first convert to RAL types and then have them convert to a graph. This allows us to make it so components do not need a @children array at all. This was all done because I am having the "already a parent of" problem again, and I have gotten far enough that it is relatively easy to just make this problem go away once and for all.
a6fe700 Another intermediate commit. The node and fact classes are now functional and are used instead of the network handlers, which have been removed. There are some failing tests as a result, but I want to get this code committed before I massage the rest of the system to make it work again.
1459c50 Adding setup/teardown hooks to rspec, so we can use test/unit methods
3b3065b Refactoring the feature support so it loads libraries when a feature is asked about, rather than when it is defined.
65c1501 The Node handler is now obsolete. Node searching is handled through the indirector. I have not yet added the tests for the node handlers themselves, which is next.
1638089 Fixed #797. Removed the warning message about specifying 'enable' or 'ensure' when initializing a service.
6f9a444 Fixed #784 by applying patch by vvidic.
5aa4440 Doing an intermediate commit so rick can look at the work I have done so far.
bb69a1f Renaming the instance loader method to "instance_load". It was previously autoload, which could class with Kernel.autoload.
6a105c4 Fixed hdiutil syntax for ticket 812
19a748b Removed TYPE token, replacing it with CLASSREF token, in the grammar and lexer. Updated CLASSREF token regex in the lexer.
ca9c48d Removing extraneous logging from the node handler
041393d Fixed #774, which fixed fully qualified collection statements
6700adc *Finally* fixing the tests that were failing around users and groups. The problem was that the autoload tests were somehow clearing all loaded classes, including the providers. This is fixed now.
9af79f1 Fixing some failed tests. Mostly cleanup. Next is to make all of the user tests pass again, dammit.
50874b2 Fixing a path test. I have now made the path stuff a lot cleaner, but it apparently broke this test.
ca57c79 Fixing #801 -- resources that have changes when running in noop mode do not record that they were checked, so that they will be scheduled on the next run. This is a somewhat murky solution, but considering that no one had submitted this bug before, I expect it will not hit many people.
caad11a Fixing some broken tests in the master client, and adding a test for #800 but it is unfortunately disabled because we cannot realistically fix it using the current design. It will be easy after the REST refactor, though.
7abc78a Fixing #795 -- configuration elements now make sure all file paths are fully qualified by prepending the wd to unqualified path names.
4212f9c Fixing #802 -- tags are now applied before parent classes are evaluated, so parent classes can use tagged() to test if a node is a member of a subclass.
4104bd3 Fixing #807. The exception handling should more closely resemble how it used to be done.
b7f4244 Renaming some ast resource classes and files so they make a lot more sense.
653c151 Fixing #806. Resources correctly look up their fully qualified definition type, just like resource references do, which causes the resource and reference to again agree on the full name of a given defined type.
40e3b37 A small change to the indirector, moving it to a module instead of a class. I still do not really know how i will use it, though.
a5539cd Adding my indirector class before i rewrite it. I am probably not going to keep any of this, but i wanted to store a copy before i got much further.
b0a9475 Flipped the switch so that compiles now return a Configuration instance instead of pre-extracting the configuration.
11b127b Successfully modified all tests and code so that all language tests pass again. This is the majority of the work necessary to make the separate "configuration" object work.
3b2efd2 We now have a real configuration object, as a subclass of GRATR::Digraph, that has a resource graph including resources for the container objects like classes and nodes. It is apparently functional, but I have not gone through all of the other tests to fix them yet. That is next.
0faf76e More refactoring. I have removed a few more extraneous methods from Scope, mostly just pointing directly to the compile, and I have begun (but commented out) the move to having resources to model each of the classes and nodes, in addition to the definitions. This will, again, enable a real Configuration object, and it will enable class versioning and similar features.
9d70b97 Removing the Scope#setresource method, since it was essentially redundant. The work is done in either AST::ResourceDef#evaluate or Compile#store_resource.
b021587 Doing a small amount of refactoring, toward being able to use Parser resources to evaluate classes and nodes, not just definitions. This will hopefully simplify some of the parsing work, and it will enable the use of a Configuration object that more completely models a configuration.
25f6d7c Deleting old documentation that somehow made it back into the tree in the switch to git, and refactoring the evaluate_classes method on the compile object so I can use resources as intermediaries, thus making classes do late-binding evaluation.
62806bb Renaming the file containing all of the configuration defaults to "defaults.rb", since I am going to create a separate "configuration" top-level directory to contain all of the classes related to managing the configuration for a given node.
6832a4b Fixing some failing unit tests.
2625eb1 Making a couple of small bugfixes in the configuration subsystem
1de5ae0 Adding support for providing a diff when files are being changed. Currently uses a local diff binary, but could easily be changed to use the ruby diff/lcs library. Modified puppet and puppetd to automatically show file diffs when in noop mode, but can otherwise be enabled using --show_diff. This only works when running interactively, because the diffs are printed on stdout.
11081ce Multiple environment support now works, and I have even tested it in real life. This commit is mostly a bug-fix commit, resulting from the difference between real-life testing and unit testing.
9ea8e6c The fileserver now uses an environment-specific module path. I also made various bug fixes around the network tree.
51ff72c Adding a bit of testing for node names.
4e9c631 Moving the node tests to rspec, and cleaning up the spec of the node, especially WRT the environment.
a8f2a33 Moving the node tests to rspec, and cleaning up the spec of the node, especially WRT the environment.
9df4fd1 And we have multiple environment support in the parser. The only remaining piece to make this complete is to add multiple environment support to the fileserver. I also renamed Configuration.rb to Compile.rb (that is, I fixed all the classes that used to know it as a configuration).
ba3a861 Removing this test for now; I do not have time to port it from test/unit to rspec
37f0eed Renaming the "configuration" object to "compile", because it is only a transitional object and I want the real "configuration" object to be the thing that I pass from the server to the client; it will be a subclass of GRATR::Digraph.
deb0107 Oops, created a test directory in the main spec dir, rather than in the unit/ subdir
3030d3e Modules are now tested with spec, and they now can handle environment-specific module paths.
ab54183 The config class now has support for add an environment to its search path. Now I just need to go through the whole system and use the search path in addition to the parameter name itself.
c6e201c I have added basic support for a search path, altho not yet with any ability to manipulate it. All config tests pass in both the old tests and the new ones, so it is time to add the hooks for manipulating the search path.
520aaaf Adding some rspec tests for Config.rb, because I am planning on significantly changing its internals and the current tests, I think, will be harder to migrate than just writing rspec tests from scratch.
724fef1 Everything up to the parser (and the Modules) is ready to support multiple environments, including the parser having an environment setting. I have also created my first spec-based tests, for the interpreter (and deleted the old test/unit tests).
3d68ed6 Oops, left out the spec rake file from the main spec commit
58494cc Building a stand-alone spec directory for creating the new spec-based tests.
d59315a Adding the second half of the rspec upgrade -- apparently the "git add" thing I used did not remove the old files, only add the new ones.
5601ecf Upgrading rspec to version 1.0.8. This only includes the contents of the lib directory, and even then only the spec-related stuff, not the autotest stuff.
7c4d39e Adding environment information to the client fact list. The environment is retrieved from the normal Puppet configuration, so it is set via puppet.conf or the cli, rather than being a normal fact.
b599862 Fixing the integration test between interpreter and configuration -- the interpreter was not passing on that the config should use ast nodes
a54fa7e Sync to latest specfile in Fedora
8b3361a The last commits before I actually start on the multi-environment support. There are still failing tests, but apparently only those that are also failing in trunk.
f1727f1 Adding the topscope metadata to the configuration being returned to the client, just like it expects, and fixing how the resource handler calls the master type.
efcd1e8 Fixed CA race condition (#693)
4eb87ed A round of bugfixing. Many more tests now pass -- I think we are largely down to tests that (yay!) fail in trunk.
2a4e101 All language tests now pass. I expect there are other failures elsewhere, but I want to commit this before delving into them. My method for fixing the tests was to do as little as possible, keeping the tests as bad or as good as they were before I started. Mostly this was about changing references to the interpreter into references to the parser (since that is where the new* methods are now for ast containers) and then dealing with the new config object and its relationship to scopes.
6467c21 The first pass where at least all of the snippet tests pass. I have unfortunately had to stop being so assiduous in my rewriting of tests, but I am in too much of a time crunch to do this "right". The basic structure is definitely in place, though, and from here it is a question of making the rest of the tests work and hopefully writing some sufficient new tests, rather than making the code itself work.
a846ea9 The new parser configuration object works now,
282ec89 Fixing the spec library so it correctly can see its version
1527f4a Adding node caching, so that node sources are not spammed during file serving and such
a953954 Keeping the node names in the node object, so that they are available to the interpreter
297dabb Refactoring a small part of the interface between the configuration handler and the interpreter.
901ae68 Requiring mocha in all cases in the test tree
70dffdd The new configuration handler looks to be ready for usage. Now I just need to convert the interpreter to use SimpleNode objects, then continue with the Configuration object.
aabad8e Adding the necessary name/ip fields to the node methods
65559af Adding a "none" node source, which will be the default node source and will just return an empty node.
2ff15c0 Added shortname support to config.rb and refactored addargs
90a9d09 Finalizing the node handler. It now correctly uses the different node sources
ec50484 Fixing documentation string on the file "ensure" property to remove the confusing mention of "exists"
58e3855 Added optional per-module lib directory.
aab419b An intermediate commit in the work towards adding multi-environment support.
40491eb Merge /opt/rl/git/puppet
b59d396 Revert "Updating more milestone names"
3e9ac59 Updating more milestone names
ab42534 Applying patch by Adam Jacob to make external node tools able to handle command-line arguments
24e7b4d Revert "Updating more milestone names"
61a747f Updating more milestone names
b5aefd4 Adding milestone names to changelog
7e4f270 Actually honour :namevar => true on newparam calls
01b21ae Removing extraneous debugging from crontab
6ab30eb Fix for setting global exit code ($?) in SUIDManager tests
0195893 Broaden assert_absent so that it thinks that :purged is equivalent to :absent
6a78648 Change the service name so that it is less likely to trip on a common word and spuriously fail
e143cae trac #763: Make redhat provider default for CentOS (patch by jtimberman)
d2f2bc0 Trivial mock cleanups
ada960b Constants in provider/interface/redhat.rb are getting redifined as they are dynamically assigned, changing them to instance variables
8f05951 Changes to lib/ corresponding to test refactoring from r2759, was unaware that subversion only commited in the CWD
13f358d Highlight what I think is a problem in the test suite that I just can't solve
3de4829 Refactor SUIDManager tests to run without root, change SUIDManager's behavior to not silently fail when it's not root and fix all other tests that broke as a result.
5a25701 Upgrade mocha to 0.5.1, which gives much better error messages
5e8d71d Fix the ral:providers:host:parsed tests so they run successfully
9530df1 Updated to version 0.23.2
0d312a1 Updated to version 0.23.2
0.23.2
======
49c9a62 Adding release tag REL_0_23_2
b84015a The last set of bug-fixes before the next release. This commit just fixes a couple of problems that resulted when I changed the Provider#initialize method to not duplicate its argument, which was necessary for ParsedFile.
aaf5959 Adding test support for the other mongrel configuration header
db0ffc7 Copying the "commands" and "confine" statements to the actual dscl providers, since they need to be there to determine where the providers are suitable. Otherwise base classes could unnecessarily affect how subclasses work.
5e419cf Fixing #749 -- environment settings no longer accumulate. Significantly adding to the cron tests at the same time, such that hopefully we will no longer have these recurring bugs. I now do every combinatorial of multi-line cron jobs, including doing them all in one file. There are, unfortunately, still edge cases, but maybe we will have some peace in cron space for a while, anyway.
d121b1f Removing the code from #745 until it can pass some basic tests
1e6c2ba Adding syslog support by devdas (#745).
22e7b39 Fixing #751 -- the interface providers now have basic tests, at least to verify that prefetching and listing works. I think these resource types need to be largely rewritten, though, and they currently have no relationship to ifconfig, which seems strange.
7bda32e Fixing #731 - we are now correctly only collecting exported resources
3d629bb Fixing #730 -- mounts now call flush() before trying to mount
a8bf96a Adding a file that should have been in a commit from yesterda
40e4d6f Fixing #735 -- gen_config now uses a single heading, matching the name of the process
97cd057 Fixing #314 and #729; here's the changelog:
72f2ac3 Apply fix for typo provided by Toshio Kuratomi (bz250870)
2a37c73 Removed stray debugger method.
5a5d241 DirectoryService provider for users and groups. Alternative to netinfo, as apple has indicated NetInfo may go away at some point in the future. It might happen in October.
08d8945 Fixing #734. The problem was that when I switched how the configs were parsed, I managed to lose the ability to keep values set on the cli from being overridden by values set in config files.
5eacd19 Renaming the linux interface provider to redhat
6841397 Applying patch by stick to the linux interface provider
877282e Undo previous commit, which was an error
81d690a Do not set any options if they aren't set in /etc/sysconfig/puppetmaster - otherwise we clobber settings from puppet.conf
36a3e4a Changes for 0.23.1
52e9fa0 Adding interface implementations, as written by Paul Rose
7547baf Adding a test for rails
1e11a1a Removing test that ended up being redundant
4b25750 Applying patch my emerose to fix #652.
87da172 Adding the requirement that the cert dn have /CN= in it, thus hopefully catching clients without certs
530d290 Applying a modification of the patch from Marcin Owsiany, allowing Mongrel to be a CA
64fba48 Updated to version 0.23.1
d3988cc Updated to version 0.23.1
0.23.1
======
0f7f752 Adding release tag REL_0_23_1
2229dc1 Fixing #726 -- mounts can now correctly handle mounted but absent filesystems.
47b7058 Adding some code in an attempt to fix #728, but it is all commented out since I could not get it fixed in time for beaker
2e14ea4 Attempting to clean up the mount documentation as in #727.
7401ada Caching whether a given file or module has been loaded, because the loading was greedy and was causing files to get loaded every time a class or module was asked for
3f1b957 Fixing the mail aliases generated by the mailman list provider; it was generating capitalized list names
3f1c865 Fixing #725. I was apparently not deleting the alias I was creating to the components.
55014a2 Hopefully fixing #720 -- I added tests and a lame back-off system to give the child process time to write
eacb06c Converting mount test to use mount everywhere instead of df
501e8c8 Adding the ability to specify relationships to classes, using Class[name] resource references.
b9dd7ee The first round of bug-fixes in preparation for beaker
5d7c5c9 Adding documentation to the "test" script
4f34fb0 Removing the chdir from util.rb, I forgot that the directory often matters
f2a1a10 Hopefully fixing #640, and maybe some warnings at the same time. I added a call to Process.setsid after the fork, and I chdir'd to /.
fdd2d49 Fix #696. (patch by Jason Kohles)
90c8b8c Fixing #716 -- the package type was considering anything that was not "absent" to be installed, but that included "purged", thus the problem
0316bed Applying patch by DavidS to fix #711.
48755b1 Fixing #702, hopefully. As suggested, I switched to "mount" instead of "df" to determine whether an fs is mounted.
f59ce4e Fixing #695 -- resource references will correctly serialize and unserialize in the db
53a469c Fixing #703, mostly. You still cannot do multi-condition queries, but you can at least query against any parameter, and matching any value is sufficient for a match, so the tags work fine.
d5569bc Fixing #719 -- the filebucket docs now only mention filebucket, not pbucket
d9a30a6 Trying to get rid of the warning from #724
e618065 Applying a slightly modified patch by Dean Wilson -- puppetca now exits with a non-zero code when it cannot find certs to clean.
49d8ef2 Guard the rpm command suitability confine better so we hopefully stop seeing all of the 'Command not available' errors
f104dc5 Updating the docs to mention that you can use the file server with no server name
cf25b25 Fixing some logging in cron
60ef578 Fixing the rest of #705, except for the env stuff, which I was not able to reproduce.
53c2f0a Fixing #691 -- I added "refreshable" features to the types that can restart, although exec does not have providers (yet), so I just made the docs a bit clearer
4c1a70c Reordering some of the type docs
e0237d1 Removing notice about "import loop", which was happening constantly when autoloading module files
1d261bf Fixing error message when a parameter is getting redefined
554c23c Adding rpm as a specific command to :rug
54a5f77 Fixing #589
2c13d53 Fixing #468 -- fully qualified resources can now be specified as dependencies
e88d694 Applying patch from #714 -- aptrpm now loads on RHEL
c3290a0 Fixing the mailman provider so it correctly matches case. Apparently mailman helpfully autocapitalizes list names.
2086e07 Removing extraneous debugging
6ddbec3 Fixing the interpreter autoloading so that it correctly loads classes even when being loaded from a namespace
f217fbf Fixing the instances method. It now works when there are already managed resources.
edb1be2 Fixing the :check metaparam so it does not try to check unsupported parameters
f1462cb removing the test for a method I removed yesterday
e98edac Applying docs patch by David Schmitt from #713
7580657 Applying a version of the diff to the defined() docs from David Schmitt
a4b94cf Fixing the first half of #705 -- matching no longer fails. I think this also fixes #648.
d104d4b Having FileType instances automatically back their contents up to a filebucket, so it is much harder to lose content. This does not yet back up crontab contents, though.
17a830d Fixing transactions so that they do not flush resources that are in noop
f570a5f Adding a maillist type, with support for mailman. It is not as flexible as I would like, partially because of how mailman is implemented (the "mailman" command is never in the search path), but at least it is working for mailman on debian.
2d3c920 Adding support for a "mailalias" type, with /etc/aliases support initially. I have not yet figured out how to best rebuild the aliases file when necessary.
fdfe0a3 Adding line/file info to parsing errors in ParsedFile
9f685e6 Adding support in Property for declarating whether a given property type will match all @should values or just the first.
c8801b7 Always setting a to_s value in authstore, so we do not get dumped objects
e79828f Cleaning up a log message in the transaction
20b9060 Adding benchmark info to fact retrieval in the config client
7a71db8 Adding patch by Valentin Vidic to add the "+>" syntax for adding values to parameters
e662c86 Fixing #621 -- plugins are now downloaded directly into the $libdir, and autoload looks for them there. You can now easily download any reloadable file to your clients.
7befe1b Changing some of the internals of autoloading so that there is a class-level method to query whether a given file has been loaded.
eabe0d1 Fixing #710 -- you can now specify the rails_loglevel
d36d0cf Fixing a typo in a log message
8807ac2 Changing "element" to "resource" in the documentation, which just aligns with a terminology change we made almost a year ago.
f5f8949 Changing the log message when a resource type cannot be found
773f187 Ignore the pkg directory if it exists, and fix up a couple of tests that were erroring out, which also will help the confinement of package types a bit more.
1bcca31 Fixing #687.
8a7fe9f Applying patch by David Schmitt from #701.
4080077 The parser now throws an error when a resource reference is created for an unknown type. Also, resource references look up defined types and translate their type accordingly.
07f0519 Making sure that #686 is fixed -- I specifically included the Daemon module in the Puppet mongrel server, and I call daemonize on the Puppet class, rather than the Mongrel http server
e8217ab Hopefully fixing #685 -- I added a wrapper around the call to getconfig(), so any timeouts will just throw an error and skip the run, rather than failing and killing the daemon. This is not the best approach, since really, each method should be wrapped, but it is sufficient.
60e5e10 Applying further tests to double-quoted hostnames by Valentin Vidic
266d37d Applying patch by DavidS from #697 to allow host names to be double quoted
aa74135 Fixing #596 -- classes in modules now autoload
d0680c8 Fixing the dpkg querying so that it works for packages that are in "config-files" state rather than just missing entirely. Also fixing logging so that the package version is visible, instead of a dumped object
8b14ef8 Fixing logging of module mounts; it was using the module as the name, rather than the module name
32e5bff Removing extraneous debugging
3ae3a4e Fixing #689, although I have not added unit tests. The problem was that a tag name was being removed, rather than the tag object itself.
19e180f Fixed #680 puppet should handle internet enabled image files correctly.
c22e667 Applying patch by daikinee from #690. I was not able to reproduce the problems, but it did not seem to hurt anything, either.
50b8f96 Fixing #704 -- Puppet was not failing correctly when schedules were missing, I think
c762c19 Removing the long-obsolete Element base class. The Parameter and Type classes no longer have the same base class.
0ff7827 Fixing #620 - class names and node names now throw an error when they conflict
a627f46 Adding a reference to the LDAPNodes wiki page in the ldapnodes config item
0f4de4f Fix trac #684 - set exit code for status properly (patch by abnormaliti)
6b7d3aa Create the right puppet.conf; make sure old config files get preserved and stay functional
ac36ddd Fix name of main section
ec2d469 Rename puppet.conf to puppetd.conf
8013e96 Get rid of using silly macros in %install
dc2a0bf Use single config file
3aafa84 Updating reference docs
55a512c Updating trac location for laeg
044968f Updating build files to support laeg
ada4355 Updated to version 0.23.0
d8f4c53 Updated to version 0.23.0
049faf8 Updated to version 0.23.0
0.23.0
======
f588d47 Adding release tag REL_0_23_0
8844fca Changing the paths to match laeg, instead of culain.
d79a788 Modified the fileserver to cache file information, so that
944e1f4 More updates to puppet-test
4bb0228 Updating puppet-test with clearer options around describe and retrieve
fd15de7 Removing extra debugging from the interpreter
5043ade Updating error message during test failure.
e5a9e24 More test fixes. I seem to be getting very close.
bd444d8 Refactoring puppet-test -- it now supports specifying a fork level (so you can get multiple tests running in parallel from one host), and tests are modeled explicitly, so it will be easier to add new tests.
a57e39d Added documentation for pkgdmg provider in the provider desc accessor as per request in #641 It stil might not be crystal clear, but should be better than the one liner it replaces.
01420ac Adding tracing to prefetch failures, and Fixing the environment support in the cron type (#669).
fa39488 The other half of fixing the versionable stuff -- removing "latest" as a requirement.
0b1dbbb Applying patch in #572 by trombik
611e783 Fixing my stupid fix of Matt's work. I conflated :versionable and :upgradeable. I have now added back all of the "has_feature :versionable" lines.
4cb30eb Adding fink package provider.
099bf6c Fixing some failing tests.
f96ec6d Updating the has_version work that Matt did -- the only thing he missed was that the :versionable feature depends on the :latest method, and when that is present we can safely assume that a package is versionable. Also, created the :latest method on the dpkg provider, as requested in #647.
3f6c413 Applying patch by trombik to fix #628.
eb2326d Applying patch by trombik from #624.
2d07334 Modifying the CA server so that it will not send back a cert whose public key does not match the csr. We have been getting a lot of instances of this, so this should cut down that problem.
6e16d9f Fixing #578 -- Invalid certs are no longer written to disk.
bf5d5d5 Fix #657: allow puppet URL's with no server; 'puppet' looks those up on hte local modulepath, whereas 'puppetd' goes to the default server
52f3f83 fixing the appdmg provider to load the package provider base class, and trying to clean up the log-file opening in rails
12adea8 Adding puppetrun as an executable in the gem, along with ralsh (#313).
2ed10d8 updating changelog for #641
bfb3852 Adding appdmg package provider from #641.
f05464e Adding the output_file.close, as wyvern recommended
30ebbc9 Applying the patch by wyvern from #662. This should hopefully kill the client hanging problems.
ac05442 Updating rrdgraph documentation with a pointer to the new rrd package.
029a191 Reverting the change I just made to the config handler; it was only there for testing.
2b1d478 Adding puppet-test, which is useful for performance testing
afc3563 Adding patch by Ghislain from #670, with slight modifications.
f6838f5 Fixing #548, and making functions support other rvalues, too, including other functions.
f842cef Fixing #643 -- replacing the get_posix_field method with a more degenerate version that works even on broken systems
46252b5 All rails and language tests now pass again. All of the rails tests should now be in the rails/ directory, and I have modified resource translation so that it always converts single-member arrays to singe values, which means the rails collection does not need to worry about it.
6084e1a Fixing #673, but I have not written a test case for it. I moved all rails-related unit tests into the rails/ dir, because they keep getting missed.
e8c6cd9 Fixing the yum provider, and fixing the unit tests so the failures people were experiencing will result in failed tests. This fixes #672.
4f7c650 Moving puppetd and puppetmasterd back to bin. Damn. Reverting the fix to #323.
23f986c Move ralsh and filebucket into /usr/bin
659792f Adding ralsh and filebucket to the rpm and the rakefile, and changing the url in the rpm
6be8b21 Modifying the check metaparam so that it just silently ignores metaparams and parameters, since they're uncheckable, and only tries to check properties
e039f7b Fixing the type/title index for mysql
9ba878a Removing erroneous debug message
b5523ff Trying to load ruby gems, in case needed libraries are installed that way, and fixing a warning in the provider
f84ac7d Significantly reworking both external_nodes and ldapnodes support (see changelog).
fc9a798 Fixing error about non-puppet protos
45f76c5 Significantly optimizing the database queries -- I am getting about 40% better times now. See http://www.madstop.com/optimizing_the_activerecord_integration.html.
e32a1bd adjusting the rrd color stack as requested by thijs
469d999 Updated the CHANGELOG.
51b9fc1 Fixing (hopefully) the last two providers that had "resource.is" calls
77934f4 Fixing sun package provider
270cea8 Fixing #644 -- the install.rb file works again
8003320 Applying metrics patch from #659 by thijs
4910301 Fixing a typo in the docs
c67e016 A few small fixes here and there, and the rest of the zones commit
399c37b Fixing #655 -- Solaris zones are again fully functional, from what I can tell
9bc236b Adding indexes for the rails tables
7c53aab Removing the indexes migration, since the indexes are now in the main db schema
ef2698c Updating ralsh with more functionality: You can now perform work on the command line, with commands like "sudo ralsh file /etc/passwd ensure=absent". This makes ralsh a bit more interactive.
cb5bccc Added to_s to the values to ensure the check versus the database will be
d78a7a5 documentation fix
3a2f3d5 Fixing mongrel test so it does not try to load the mongrel server class on machines without mongrel
6aa5d76 Applying patch from #666 by Rainhead and monachus
ea190c1 Changed the host to "eager fetch" all the resources and their associated
3003aad Added the teardown of the database back to the tests.
4442a31 Revert unintentional change.
68e37a9 Major rework of the rails feature. Changed the relationship between
c26f678 Fixing #550 -- I had to list pass and dump as optional fields.
f0b5090 Fixing #112 - mounts now default to 0 for dump and pass
d396fd5 Fixing #637 -- defined resources can now correctly be virtual or exported
ad9c9ce Removing old line from the fix for #660 -- I had strangely just commented it out, rather than removing it
ffb7ae0 Fixing #660 by applying patch by freiheit. Looks like this is another problem with yaml on 1.8.1.
79b604d Oops; I forgot to add the base class for package providers. Also, cleaning up the package provider code a touch
c826be9 Adding a simple unit test for mongrel, and adding the ability to select the header used to store the client SSL dn.
b50c85d Fixing error when commands fail -- the error code is now printed, instead of the inspection of it
3479387 Adding (slightly modified) urpmi support from #592 by Devin
73502a7 Finishing off the type/provider interface work, including adding package prefetch for all packages. The only not-done one is yum -- prefetch is set up for rpm, but not yum. We need to modify prefetching so that it also prefetches latest information, to avoid having to run yum so many times.
bf82d51 Fixing the "Server is not a class" problem with mongrel
992636a Applying patches from Valentin Vidic to fix open file discriptor and open port problems
1867d0e Fixing the few test failures that resulted from the changes to provider listing
c35d07b Significantly reworked the type => provider interface with respect to
a7b057d Adding a "source" attribute to providers, so eventually types will be able to avoid duplication during listing by only listing one provider for each source (e.g., dpkg and aptitude should not both be listed).
0cfd28e this is a spurious commit to test the trac site
e8aef1e Change pi to list properties instead of states
f2c524d Add protect and priority properties; patch provided by Matt Hyclak
0a2b438 Fix trac #601: wrong location for client pidfile
d467e18 Fixing #532 -- reparsing config files no longer throws an exception. The problem only occurred when reparsing a configuration file that was also being managed (which was common) and only whent the manifest was up to date (the combination was uncommon). Reparsing would find the existing file object and use it to check permissions and such, then it would remove all of the internal data in the object, for cleanup; the problem is, the client still had a reference to the object, so when it went to run its configuration, this broken reference was used.
e8097a2 Changing --show-available to --showall, as requisted by Jeremy Dreese on the list
e0fbd41 Switch the package type to use a :versionable feature, and convert all providers to use the feature. Hope it doesn't break anything.
37a221c Add a grammatically correct 'has_feature' alias, and switch to using it where appropriate in existing code
0a605e8 Clean up a really hairy code construct in the useradd provider
58be1fd Fixing up2date name matching, as mentioned by Jeremy Dreese on the list
464e688 Changing the resource title to be text instead of a string, because some title are > 255 chars
48ec137 Mark all package providers that don't currently report themselves as being versionable as not supporting versioning; this way we get a more sensible error message when people try to specify a package version. See #647 for some discussion.
a9ea3c8 Correct a problem with the dpkg provider's handling of the :purged state, and expand the package type's understanding of what purged actually means. Fixes #644
d1458bd Adding a warning for when no properties are specified on services
1883b8f Adding a debug statement describing why restarts are skipped on services
ca255b9 fixing the method to check for hostdir writability in the rrdgraph report
ac686e8 Changing the location of the classes.txt to the state dir
25d5ebd Adding more detail to the per-host reports dirs, since it was not setting mode or ownership.
62a4d4c Adding better error reporting on unmatched brackets -- you will now get notification of what was expected in most cases
2b372df Updating the exec docs to specify that the timeout is in seconds
4aef0ba Fixing #323 -- puppetd and puppetmasterd are now in sbin; packages still need to be fixed
6f83d4d Fixing #501 -- there is now a splay option, disabled by default and when running under --test
7d1f760 Adding the execute bit to install.rb and fixing #473 -- there was a /win/ regex that matched darwin but was just supposed to match windows
611f88a fixing a documentation bug
df6f41a Changing the notify type so that it always uses the loglevel for logging
ef1a4af Fixing #568
e8d560e Fixing #566 -- definitions, tags, and classes can now be single characters
eed85f4 Adding #629 -- an undef keyword now exists
8410c4d Fixing #507 (behaviour in cycles) by changing the topsort algorithm.
67ee251 Using the method for retrieving the dipper class, in case it has not been loaded
e3b7a54 Making sure there is an editor set for ralsh
e95734b Redoing autoload a bit in preparation for adding a plugindir
dbedcd7 A round of fixes so unit tests pass; most of the failures were from the merging of the transaction-refactor branch
28f7d6c Fixing #569 - I have added a dynamic facts option to choose which facts will be ignored.
d9f6f41 Fixing the "is" related problems in yum and rpm support, but there are still some package providers that use the "is" method (grep for "\.is[^_a-zA-Z]" in the package providers), and the util/posix.rb module has a call to obj.is. I will fix those soon.
1934f2b Removing obsolete parsedtype
61784ed Attempting to fix the fact that the yum package provider calls [] on the ensure property, and making the resulting error more readable
85fef63 fixing some problems with the config timeout -- I am not sure it ever actually worked
27cabf2 Fixing a weird bug that occurred because I was changing @parentclass in the AST stuff the first time it was called, from a string to a the actual instance of the parent. This worked fine as long as the parentclass was only called when parsing was complete, such as during evaluation, but if anything resulted in it being called earlier (e.g., attempting to add to the class during parsing), then things behaved, um, badly. This commit fixes the method so that the variable is not modified; there is now @parentclass and @parentobj.
613c413 Fixing a path problem that resulted from the changes I made to internal variable names -- the pathbuilder method in file referred to @resource instead of @parent
aed12c3 Use @http in store, add filterhost
19af1cb First try at the REST config_store
12e5656 Initial configuration storage abstraction layer stuff.
426330c Updated the CHANGELOG with changes for retrieve and acts_as_taggable.
24b11b5 Removed acts_as_taggable from the rails stuff. I haven't removed the tables from the schema nor the indexes yet.
ca2b9e6 Not parsing old versions of puppet.conf -- otherwise, puppet parses the whole configuration.
eca5510 Fixing the to_trans method and ralsh a bit so ralsh now works with the new lack of "is" method
55666a5 correcting some of the function reference docs
1d23013 Fixing #605 -- providers now refer to @resource or @resource_type.
de21226 Fixing #607 -- parameters and properties now refer to a @resource rather than a @parent. The @parent parameter is still set for now, for backward compatibility.
3e7d44e Fixing #606 -- now only components mention @children.
13c7f2f Allow Darwin to remount rather than unmount / mount, as per puppet-users discussion "mount type and ensure => present on OS X" (Message-Id: <C44C8E86-DF31-4344-9B74-937325A03F5F@madstop.com>)
7f8a903 Getting rid of the last vestiges of the logger tests
bfc0c35 The TODO file has never really meant anything, and it hasn't been modified in 2.5 years
cdd0dd3 Adding default provider info to the providers report
2fa529e Fixing the ability to fail correctly in the fileserver -- a constant was not defined correctly for it
fbfaa0f Removed FIXARB's from the pfile stuff. These have been resolved.
93cbe77 Removed FIXARB's from a file that will be going away.
a966606 Removed override of change_to_s since it is the same as the overridden method in EnsureProperty.
8bad074 Removed override of change_to_s since it is the same as the overridden method in EnsureProperty.
b0374d8 Removed calls to is.
5b44159 Removed the testing method: checknewinsync.
c164360 Merging of refactor-transacton to the trunk. This work removes the :is attribute from properties and relies on the provider to cache or return the current value of the property.
8f18746 Hopefully final version of the providers reference
c99e99d Intermediate commit of more reference work, including making provider suitable more introspectable. I am about to significantly change the output format of the providers reference, so i want to get this committed before that change.
73df973 The result of .compact.join("\n") isn't assigned to anything. Fix.
568db0b Fixing configprint so it fails correctly when an invalid parameter is provided, rather than throwing a stack trace
40b3834 Sorting the network handlers in the network reference
7835d29 Adding a dynamic? option for references, so those are not stored in trac
1decfa3 Lots of work related to generating more reference. Moving all of the individual references out of puppetdoc and into an external "reference" class, which itself can autoload, so it is now easy to add new types of references. Also adding a network reference, along with an unfinished provider reference.
69cb721 Removing the obsolete logger network interface
a040bd4 First run at moving references to lib/puppet instead of puppetdoc
f42a755 Adding a module to abstract using Autoload to load and manage instances
53f1612 Fixing the time-cleaning in the rrdgraph report
494675b Fixing #206 and #422. Executables will still look for the deprecated config files and load them using the old parse method, but they now prefer a single configuration file, and files can set parameters (owner, mode, group) in brackets on the same line.
1f8de9d Consolidating all of the configuration parameter declarations into configuration, at least partially just because then the docs for each parameter have to be a bit better. Also, I have gotten rid of the "puppet" section, replacing it with "main", and changed, added, or removed a couple of other sections. In general, we should now prefer more sections, rather than fewer.
f783859 Correcting function reference markup
e864eab Applying patch to puppetrun docs from JosB
e1438a5 adding --summarize option to the changelog
28254b5 Adding a --summarize option, to get a transaction summary
0c07125 Fixing #615 (subclasses with similar names) by getting rid of the class "type" and "fqname", and instead using "classname" everywhere. You should no longer see unqualified class/definition names anywhere. Also, rewriting how snippet tests work, to avoid creating all of the files, since the point was the parsing tests, not functional tests.
8d7ec14 Adding a fact handler, along with an abstract interface for fact stores and a simple yaml fact store, towards the Node Classification work.
79dcd33 Set LANG/LC_ALL/LC_MESSAGES/LANGUAGE to 'C' whenever we execute things, so that the output that comes back is more easily parsed, without needing to understand all sorts of foreign languages
a1d4f35 Update to latest shipped for Fedora/RHEL
4022968 Committing all the work that josb did, plus a couple of small changes
bf37676 Applying patch to puppetd from Jos Backus
8d11bb8 Fixing class name for Handler in puppetd
1ccdff5 Adding --serve back in as an option to puppetd, and failing when a handler is specified but missing
fb4f04d updating changelog with version number
0f02a54 Updated to version 0.22.4
e049999 Updated to version 0.22.4
4f2b903 Updated to version 0.22.4
0.22.4
======
22ce899 Adding release tag REL_0_22_4
3e895b5 Changing the remount stuff back to not repeating the mount options.
6438270 Adding a "supports_parameter?" method to test whether a given provider supports the features required by a given parameter. This is used during attribute instance creation, but its creation was necessicated by test code.
c9de332 Fixing the fileserver naming tests after the change to allow "-" in fileserver module names.
80ec494 Fixing #430 (I hope) -- execs now autorequire the specified user
483c25e Switching the simpler features to a single file, so it is easier to add new features
c369c6a Fixing cron to correctly match blank lines, fixing #602
f69dcda Working a little bit on rails failures, with no real progress
e05392e Fixing a bug in the tests introduced a while back when I switched to using "generate_report"
7fb7146 Updating the changelog for #594
3aafd81 Fixing #594 -- Files on the local machine but not remote machine now purge. Note that this introduces a difference in behaviour between recursing locally and recursing remotely.
c2bc848 Adding purge => true to downloading of facts and plugins, and removing some extraneous logging from the provider base class
7e97143 Allowing "-" in fileserver module names, #617
4dbcc5d Changing the resource handler to return the whole object, rather than just type and title
8b60d20 Not stripping domain info from the ldap node, as requested
63e907c Switching the mount command to always add the mount options, so that the parsed provider can be used even in cases where /etc/fstab is ignored, like it is on OS X.
dad9373 Fixing the tests for the aptrpm provider.
89ac6d7 Adding "rug" package provider from #609
4296e4e I managed to put those provider tests in the wrong file -- the file meant to test the resource type interactions with providers, rather than the provider file. Fixing that, and the failed test resulting from that silly mistake.
21eab22 Okay, one last try -- the Util#binary command was not returning a path in all true cases, and the provider tests were poorly written and missed it.
94bd3b2 Apparently I messed up providers a bit; binaries were not having their full paths returned, which made most providers suddenly unsuitable. This fixes that, and adds tests to verify behaviour.
96eed99 Closing #585 -- providers can now have optional commands, which only differ from normal commands in that they do not affect a provider's suitability
0a46bb2 Fixing #603 -- I had to add a special case for escaped carriage returns. I am not entirely sure this is the right solution, but so be it.
9a1a88c Fixing #574; puppetmasterd now exits with non-zero error code when there is a failure
3169bfa Adding extra info to the "Parameter already set" error, as requested in #573
86c206b Possibly adding the ability to manage passwords on os x. I expect it does not work, since there is probably no way to set up an encrypted password, but at least it now creates a user that can not log in by default.
0aeda97 Adding the ability to manage passwords with the useradd provider
7fbd3ff Adding the ability for parameters to declare that they require a given feature, and resources will not instantiate that parameter if required features are missing. This is mostly useful for properties.
4aaae62 Adding a note to the references indicating that they are autogenerated.
0681cfa Refactoring puppetdoc so it is a bit cleaner and is actually object-oriented. PDF output still fails miserably (there has to be some kind of markup problem, but I have no idea what), but other output now successfully varies on the pages.
0ff3772 Last modifications to rst conversion before bedtime
1d036bb All conversions to RST are done, but I did not quite succeed at making puppetdoc able to generate a single PDF with all of the references in them.
9526e53 Mostly done with the conversion to restructured text, but there are still some tweaks to perform on the typedocs output.
8d3673d Adding a :block_eval option to FileRecords in FileParsing, so ParsedFile providers can have records just define a bunch of methods at once, rather than using lots of hooks. This is cleaner when custom parse and generate methods are used.
a478ed2 Translating all of the docs except the type docs to RST
70ec0cc Removing the naming restrictions on cron names
5afa587 Fixing #588 - the parser correctly ignores directories in globbing now
3c5ba06 Fixing #587 -- just defaulting to root when there is no USER set in the environment.
e1b0444 Fixing #591 -- puppetd now correctly restarts itself when it receives a HUP
37ffb63 Removing the stubs for nodevar; I did not mean to commit them
7cc3a2f adding note about the class variables in the change log
5436f96 Enhancing the docs a bit for the apple package provider.
775c72b Adding support for aptrpm from #227 as added by Ian Burrell, the rest of the commit
be68411 Adding support for aptrpm from #227 as added by Ian Burrell
f1f4c42 Adding patch by apowers from #545.
df0cd95 Adding init script by apowerrs from #546.
9828b25 Fixing fileserver doc links
f8a0e99 Adding the functionality requested in http://mail.madstop.com/pipermail/puppet-users/2007-April/002398.html .
9946249 Only caching the configuration when it has been successfully turned into Puppet objects
b6d0d27 Adding a --version argument to puppetca
da4d252 Changing the test package for debian
b8b14d3 Forgot to change Puppet::Util::SUIDManager#run_and_capture arguments to execute
efe9a83 Fix for #565: Final merge of changes from source:branches/execute-refactor into source:trunk
8ab2722 Hah! Finally fixing the problem where mount tests would fail when run as part of the whole suite. The real problem was that I was changing the filetype of the provider without setting it to change back after the test, but the key change that made it straightforward to fix this problem was that my test loader was not exiting with a non-zero code when there was a failure, which mean that the ./test script never thought anything failed. I fixed the former, then fixed the test script to work fine with -n method_name stuff, and quickly found the problem. *whew*
f9d89b5 Changing the date that certs are valid to start one day before the cert is created, so clocks that are off by a little bit can still be used.
4615e3a Fixing Client.read_cert so that it automatically adds the certificate information to the driver when the certificate is correctly read. This makes sure the Net::Http instance has the cert all set up.
ca5d068 Updating the docs for the sourceselect parameter
295b357 Renaming some methods so that we can generate a report on a transaction and then retrieve it later
1e8e7ee Fixing #567. I overrode the propertychanges method to only return changes if the file exists or if the file has a property that could create the file.
4863012 Enhancing the report docs a bit
0ecb775 Adding last bits to the change log for 0.22.3
a999752 Updated to version 0.22.3
24ad5ab Updated to version 0.22.3
9ce7c79 Updated to version 0.22.3
0.22.3
======
a3a7ea7 Adding release tag REL_0_22_3
e154589 Fixing puppetdoc with the recent changes to the networking code
801d0f7 Fixing a bug I apparently introduced in the testing that would have made user management not work with netinfo. In the process, I am enabling validation on the nameservice subclasses.
2544f75 Fixing the documentation to match reality, as reported in #548.
4358e85 Trying to fix the problem that occurs when noop somehow manages to be nil when downloading files
2ad9469 Changing gems to automatically include dependencies
858cb81 Updating changelog and adding filebucket to the exluded file list in the Rakefile
d54b645 Updating changelog and adding filebucket to the exluded file list in the Rakefile
fa26552 Fixing #562; I had to fix how the client class was loaded
142d0fa Applying patch by Ian Burrell from #559
2c3abbe Refactoring some of the rails code. The speed is now pretty good, but the tagging stuff does not seem to be working and is certainly working very ineffficiently. Blake says he is going to take a look at that.
33f4a66 Renaming pbucket to filebucket
52df47e Finalizing the filebucket client, with test code.
def15e3 Adding filebucket client app
c5e1a44 Fixing the "readcert" method after getting the signed cert; the method got refactored, and essentially renamed in the process
60d36e2 Moving the authconfig setting to configuration.rb instead of network/authconfig.rb, as mentioned by Koen Vereeken
5bd0e8c Rails is now significantly faster. I refactored all of the queries; they are mostly reduced to three queries, each of which is relatively fast, although there are still a ton of file- and tag-related queries that I cannot find the source of. Note that this speedup requires indexes, which will only get added if you start puppetmasterd with --dbmigrate (although you cannot always start with that, as there is an error in the init code). I expect that the indexes will not help unless you forcibly reindex your database, but after that you should see significant speed improvements.
4c357d8 Adding a migration to create indexes
5ad9bf4 Fixing #553; -M is no longer added when home directories are managed
804c0f4 Fixing the same bug as the Metric stuff, but for logs this time.
46152c1 Fixing the Metric class old clients can still refer to the Puppet::Metric class.
36feb29 Fixing a small bug in testing whether instance methods are already defined.
45904ca Updated to version 0.22.2
0452878 Updated to version 0.22.2
0.22.2
======
a917a3e Adding release tag REL_0_22_2
474b86c Hopefully the last batch of commits before I release 0.22.2. Mostly just get tests to pass.
90d8b2d Remove no-lockdir patch. Clean changelog
a68a7c2 Change puppet's homedir to /var/lib/puppet
145c39c Don't clobber an explicitly given waitforcert
41e1285 Reverting changeset [2243]; this apparently causes chkconfig not to work
bcc937a Absolutely guaranteeing that the provider is always created before anything else. Previously, it could get created later if it were using a default.
60ea7d2 Fixing #432 - you can now manage home dirs with users. You cannot yet purge home directories, because there is still controversy over how that should be done. Also, allowdupe is now handled like a feature, which is, um, better.
3d17685 Adding a "has_feature" method, so a provider can just declare that it has a given feature
290ad14 Finally fixing #504, I think; I even have tests to prove it. It was a little thing, in the end.
32662cb cleaning up an error message a bit
9b5833a Clarifying the errors a bit when nodes come from external sources.
1f8b768 Apply patch from Ian Burrel (trac #479)
3e2510f Adding the "ralsh" executable (formerly known as x2puppet).
531136e Updating the config generation stuff a bit, mostly just cleanup, but also changing the servername fact to be the fqdn of the server.
0153a06 Changing the config cache location to the state dir
f046067 Adding context to the warning message about unknown escapes
0040edf Changing execution to reopen stdin to /dev/null
b804573 Changing notify to default to its message being its name
e2c5dbb Another round of bug-fixes, prompted by test logs from David Schmitt
92bad78 Fixing the spelling of David Schmitt's name and giving credit to Chris McEniry in the changelog.
547fb64 Adding a provider feature table to the provider feature docs
5b2ffbc Adding provider features. Woot!
80dac92 Following Russ Allbery's advice and using the Candidate field in the apt-cache output. Apparently I'm blind.
3606482 Updating changelog for #487
4dc7233 Fixing #487. I know use "apt-cache policy", instead of apt-cache showpkg, because it clearly shows which version will be installed. This is basically impossible to test well, so I just added a test that verifies we always get a value back, although I cannot really test that it is the "right" value. Also, I modified the logging of packages so if there is a latest version, you will get the new version number, along with the old, in the log.
973f9d0 Taking another crack at #504 -- I was using Pidlock incorrectly. I should have been using "locked?" but was using "lock".
cef41c2 A slight fix for #507. This should at least provide better information if this problem crops up, although I cannot reproduce it.
1778883 Changing the "found a bug" message to something a bit more informative.
184266d Fixing #447 - filebuckets now use deeply nested paths
b436002 Oops. Fixing the other tests to now past the facts to "fresh?", as required by the fact checking.
61b3490 Fixing the fact caching so that facts are only downloaded and retrieved once, rather than once during fresh checking and once during config compile.
5f7ae35 Fixing #519. The facts are now cached in the state file and changes to them force a recompile.
a2a9d93 Fixing #544 -- there is now an --ignoreimport option for commit hooks.
a212ea7 Adding #539. Definitions can now have titles, and both $title and $name are guaranteed to be set within any definition.
90bdc33 Adding test to make sure ensure does not conflict with any of the creating types.
e952029 Adding #541. There is now a "generate" function.
6654661 Fixing #538. There is now a simple file() function to read in file contents.
5ecfd39 Looks like I already accidentally committed the switch from using system() to exec(). I am hoping this will fix the many problems people are having with processes hanging around (e.g., #509). This change just removes the attempts at closing TCPServer instances, which should now be fixed from using exec instead of system.
6b85962 The first round of fixes for failing tests.
8eddd4b More work on #542 -- services in noop now produce noop events so that they can themselves trigger further changes
2fe9998 Removing bogus log message in file parsing
3b8dc6a Removing the cycle checks from the splice! method in pgraph, which *considerably* speeds up splicing of very large graphs.
adedab1 Getting rid of a warning in the rpm provider
40eeadb Adding example cron tab from #492 and making the read/write tests ignore whitespace. This cron now parses successfully, as I thought it would with the move to providers.
2a3f56c Fixing #529 -- specified targets keep their values. The problem was that I was using model[:target] instead of model.should(:target) and model.is(:target). The real problem was that my tests were using a parameter for tests but all of the real code uses properties.
fe2f0d9 Fixing #533 -- puppetd now exits in onetime mode.
5257837 Fixing #491 -- the client correctly realizes when the cache file is missing and only considers the config to be in sync if that is not the case.
a76afb7 Trying to clean up the error message from #490. It looks like the problem is just a failure in one of the types, and it has nothing to do with the state file.
4a6d705 Fixing #542. Transactions now cause services to warn when they would have gotten restarted by a noop resource. Also fixing #549 -- transactions now only refuse to delete required resources if they are being purged. All other resources can be deleted just fine.
8387d48 Fixing #540. I modified Puppet::Network::Client::Master so that it disables noop during its run, so that facts and plugins will always be downloaded.
86c63ce Fixing cron support (I hope). It now uses providers, and seems to work, at least on my os x box.
ba23a5a Adding spec libs, so we can use them some day
8ea6ada Clarifying that the ruby RRD support is provided by a binary library
df4595e Significantly reworking the internals of the fileparsing code. It now
b05ae2a Don't blow up when PUPPETLIB isn't set
0fa3c43 Search manifests first within modules, and if no module is found, search in
38975de Introduces a new implicit 'modules' fileserver module, whose allow/deny can
ebcb6b6 The template function now tries to first find a template within a module
ba6257c The basic plumbing for modules: a modulepath config parameter, and a new
10d6891 Adding support for a prefetch hook on individual providers, rather than only supporting it for the whole class.
4fa8008 Fixing a few of the log messages so file content changes always include the md5 sum
6ad8998 Adding a bit more testing to the config stuff
3489bd8 One last try at getting the config and mode stuff working. The tests were passing because "mode" is a valid config option in the tests, but not in the real configuration. So, now the Config class correctly only tries to set the meta params if they are valid options, otherwise they get skipped.
b36f9c9 Fixing the config path to use Puppet[:name] rather than Puppet.name
6b92c04 Oops, forgot a file in the commit
f59cade Fixing a bug related to link recursion that caused link directories
b6df336 Looks like [2265] was not a complete solution -- it resulted in failures when the config set modes via integers. Everything is working now, and tested more completely.
0925fb0 Adding some more testing on the @should values for :groups on users, and fixing a bug that often made :groups think it was out of sync.
333842b Putting the final touches on #144, most of which I had provided in the mongrel work.
fa253b5 Fixing #489. I was unnecessarily converting to octal in config.rb
69338da Adding some changelog info for the next release, which is still a ways away, probably.
205bbb9 Flushing out the ability to have a stand-alone CA server, specified using ca_server and ca_port. This is just a final unit test, since the code was done and lutter fixed the rest in [2261].
185a003 Fixing #531 and #414. This includes pretty much a complete redesign
fde8b28 Fix typo in default config and add simple test to check default config sanity
7e41d43 Turning a failure into an error when, for some reason, pfiles do not have paths set.
46d344b Merging the webserver_portability branch from version 2182 to version 2258.
6823370 Sync with latest Fedora specfile
4a73da3 Don't include bin/pi in distributed tarball (and hence fix trac #471)
1808c50 Apparently the include function was not failing when it could not find asked-for classes. Now it does.
521606b Allowing trailing commas in selectors
9080686 Committing patch by Dennis Jacobfeuerborn to only use the domain name if it is set.
17c59f8 Adding "ignorecache" option to always force a recompile of the configuration
ebc4dd2 Fixing #464 and #515.
ff9ec47 Applying patch in #528 by ask.
cc26026 Fixing #467. It is a hackish solution, because I just reordered the definition of the params, but it works for now, anyway.
d229d49 Fixing at least part of #514. This does not get rid of all errors, but at least it fixes the spurious warning
be8dfd9 Fixing a problem with the splice! method on the graphing. The problem was another issue with hash ordering, where it would usually work but sometimes start failing. The solution was to splice the containers in topological-sort order.
4df0738 Applying a modified form of the patch by cstorey from #523. The modifications were mostly around the fact that Strscan does not set $1 and its ilk.
0f16bf3 Fixing #526. Implemented as a period of "never", rather than adding a new parameter.
07fce23 Fixing #477. setvar() can now accept the file and line info from callers.
d5444e0 Fixing #199 and moving service tests (which are completely atrocious) around.
7d965ae Applying patch by cstorey from #521
36ae6a2 Making the package provider tests able to be executed separately, and using "clear" instead of resetting @objects in the types.
b7a0fb4 Make up2date the default for RHEL <= 4, and confine it to RHEL; make yum the default for RHEL >= 5. Fixes trac #478
672e281 Fixing #142. As expected, trivial.
87f100a Applying patch by DavidS from #522, along with test code and a small bit of code cleanup.
a3f3674 Redoing some aspects of the graphing in hopes of helping hte performance a bit.
1a7d8b6 Fixing file backup defaults to correctly use the puppet filebucket by default.
d833c3e Changing the log messages for source and content properties to mention the md5 sum of the new content
789b786 More code related to #517. Oops.
4c885b7 Fixing #517 and more. Classes now support more than one namespace in their search path, parent classes automatically have their namespaces added to subclass namespaces, and (huzzah) there is a "search" function that can be used to add new namespaces into their search path.
aad5123 Fixing #524. Functions, both statements and rvalues, now support no arguments as long as you use parens.
3e13e36 Actually commit the changes to lib/puppet that were supposed to be part of [2223] (Fuck svn and it's partial-repository-by-default behaviour)
1d711dc Partially complete #241. Add a 'purged' value for Package.ensure, and add a handler for all of the Debian providers. Also wrote sensible test cases, and so we've now got Mocha running around in our source tree.
a752eb2 Fix #516, 'Cached manifests get unescaped twice'
db8a23e Print stacktrace in debug mode when catchign a signal - useful for understanding client hangs
fa02d67 Fixing #472. Apparently this has been broken since I did the parser redesign. I had to fix the scope trees so that subclass scopes are subscopes of the parent scopes, which used to be the case but was far more complicated.
d145aae Fixing #505, #508, and #513.
774415b Allow 'key=' to be the only thing on a line (livna uses this)
4d02823 I believe this fixes the issues in ticket #469
7a9e28a Applying patch from #495.
6fbd5fd Removing extraneous debugging
90b1058 Fixing a problem in collecting exported resources. Virtual resources worked fine, but exported resources resulted in an essentially infinite loop.
deab3a0 Fixing the default dbadapter back to sqlite3
3d093ae Applying patch from #510 by curzonj. Note that the right solution to this problem is to use the ruby API, but it does not appear to be stable yet.
65599af Re-add the files
beb7873 Undo the param_name param_value merge
f4f555d Renamed Puppet.name to Puppet.execname so rails 1.2 doesn't freak out
9a672ec Undo the param_names param_values changes
8b18fdf Undo the params & facts stuff
9fe8905 Changing date to datetime in the database
964c805 Trying to fix problem of locks lying around
2418e4a Adding hook to update timestamp when a report is run
0aa3b66 Change Puppet.name to Puppet.execname so rails 1.2 won't freak out.
6555dad Update relationships
328e576 Revamping collections to get what is hopefully more reasonable behaviour when they are used in combination with defined resource types. You should now be able to combine them in just about any way and get "correct" behaviour, which in this case means that you can have virtual definitions or definitions wrapping virtual resources and the resources will still all get realized.
69d4bfe This works for me. Probably not the most universal fix.
9de665c Apparently using "gem" requires an environment we don't have.
91991f1 Merge fact_names & fact_values, and param_names & param_values.
0b5600a Fixing features to use the new feature location
17a5f4c Applying patch from #502 by Jose
6216ae5 Applying patch from #497 by Jose Gonzalez
258651c Applying patch by Jeff McCune from #496
9cd2636 Applying patch from #474 by David Schmitt.
4effff4 Fixing #482.
c3b6232 Fixing #493.
81ae397 Applying doc patch from #494.
1756bec Fixing #484. Moving unit tests at the same time.
a216df2 Okay, last file moves for the night. The test code has been moved to match the lib directory, and I have moved a couple of things into network/ instead of network/server, since they did not belong as much.
7e07e3d Moving all of the client and server code into a single network/ directory. In other words, more code structure cleanup.
6d8068e Moving some of the stand-alone classes into the util/ subdirectory, to clean up the top-level namespace a bit. This is a lot of file modifications, but most of them just change class names and file paths.
1626023 Adding a libdir setting for puppet, so you can store your modifications to puppet in a separate directory. This probably will still be somewhat limited because it will always depend somewhat on load order. For instance, if you add a new provider, it might not be available when you expect, since providers are all loaded as soon as a type is loaded, which might happen before the libdir is set. It should always work fine if you do not override it, but if you do override it, things might behave a bit strange.
99c8a54 Adding a parameter to allow you to override how an exec refreshes itself.
dd71a51 Changing exec so that the checks apply to whether an exec is refreshed.
31c9a6f Disabling the netinfo mount provider
ad359f3 Reorganizing some of the tests.
d403131 Merging the state-rename branch. This includes the diff from version 2156 to 2168. All states should now be properties, with backward compatibility for the types that restricted themselves to the methods.
f6f72f2 fixing the cookbook link fix
3a024d7 Removing the default value for :ensure on mounts.
71346e9 changing the cookbook link
f80bd5e Fixing exec so it actually works when path is specified as an array
d117aa8 Updated to version 0.22.1
1e90209 Updated to version 0.22.1
463d3a8 Updated to version 0.22.1
0.22.1
======
530c255 Adding release tag REL_0_22_1
1d059b0 Fixing #470, I think. I basically just threw away the validation and let suidmanager do it all when running commands.
69a07b1 The resolve functionality in "test" is almost working...
42d15fe Adding note about removing mounts netinfo provider
2c79bbf Oops, that last commit seems to have broken the rakefile. Works again.
3836201 Trying to get the functionality I had in previous tests. Mostly I want
fd2982f Fixing executable tests to take new rundir into account
a62fd3e Filenames for test must _end_ with '.rb'
12bf816 Fix to make running tests work in ruby 1.8.5
18eebaf Fixing selector tests to get rid of a lame hash ordering bug in the tests.
a3a85d8 fixing rails test to take into account the fact that resources now do not always return arrays
f1deaa8 Fixing autogen so it passes on non-Darwin systems.
173f5cc Fixing a purging bug introduced by [2138]. I had to move the purge check to the recurse method, rather than the localrecurse method, because the purge check needs to happen after sourcerecurse.
62ab873 Deleting the file even if a source is specified, as mentioned by Robert Nickel.
c8f38b7 Renaming "pelement" to "resource". The old name is a holdover from before we had settled on "resource" as a term.
ea73cdb Fixing Files to work with the Resource server. Basically I just remove the "target" value if it is a nullop, so that it does not cause a conflict with "contents" on the far side.
d7fde42 Adding explicit umasks to these tests.
a4de59c Fixing rundir so that it is only set to be in /var if the process is named puppetd or puppetmasterd. Otherwise the unit tests set it to /var/run/puppet, which has the chance to cause hangs.
9dc6cf6 Removing all remnants of the old symlink type
7889b0b Revert 2125, and instead change the way the 'latest' version is selected from the sorted list of versions
97583b4 Updating changelog for 0.22.1, although I am not quite ready to commit yet.
8d90e56 Puppet can now read files on stdin. This means you can put "#!/usr/bin/env puppet" in the first line of a puppet manifest and then execute the manifest normally. Yay!
8821300 Providing a partial fix for #428. Resources can now be deleted as long as all of their dependencies are also being deleted. This, combined with the fix to #433, means that you can now explicitly specify the order of deletion, and everything will work as long as all required objects are being removed, too.
0a62369 Partially fixing #460, take 3 -- fully-qualified classes can now be included.
788a74e Partially fixing #460, take 2 -- fully-qualified definitions can now be used.
a7bd786 Partially fixing #460 -- fully-qualified class names can be used as parent classes.
c9e7699 Fixing #462. The package sort order was always resulting in the lowest-version package being first, rather than highest, so I inverted the sort order.
add6e5d Applying patch in #465.
1f9ede2 fixing #427. Facts now timeout, both in loading and downloading
049d79c splitting the tagmail report into multiple methods and adding test code
727672f Not creating the listening server at all if --onetime is enabled.
af3863e Fixing #440, albeit with a slightly hackish fix.
01ec5ba Moving code from external sources into an external/ directory
1374e4e Moving the switch that disables the certificate authority into the main library, so they can be disabled in the configuration file.
dc580cf Fixing #433. I basically just added checks to all the places where I add edges, to make sure automatic relationships lose out to explicit ones.
e418691 Fixing the warning message related to namespaceauth.conf
d3fc49d Fixing a problem that occurs when puppetd starts with an up-to-date configuration -- the default schedules and filebucket were not being created.
6c61f0c Fixing #463. I redid all the autogen stuff so it can handle autogenerating string values for stupid os x.
8198e7e pointing documentation to the wiki now
54c458c Fixing #438.
04017b3 Fixing #444. I was losing the list of sources when creating new children.
b7560d5 A couple small bug-fixes
3aff4a0 Doing more work on #113. Mostly, just making sure remounts do not happen spuriously very often. They will still have extra remounts when changing the value of "ensure", but that is not currently avoidable (similar to #199).
1cc8ecb Fixing info around newtype options
dd502db Fixing #113. I added support in the transaction for self-refreshing, which just creates a special trigger for resources that have self-refreshing enabled. Logging is a bit different for them, so it is clear why they are refreshing. I still need to verify the remount methods work in the providers.
bf46e7d Adding a "self_refresh" option, so resources can refresh themselves if they have changed in the current transaction.
1f41c35 Fixing #454.
c07494f Fixing #441.
9924244 Fixing #431. Collection was always returning an array, even when only a single value was passed.
0a9c8da Changing how transactions check whether a resource is being deleted. This is a small step towards fixing #428.
f6a3d94 Fixing #455. A simple fix, fortunately.
81025d1 hoo
e29ef5c Updating reference docs
af4f7d7 Fixing documentation references to refer to the wiki
37acfb9 Fixing #442. You can now do: defined(File[...]) to see if a resource is defined.
2db6878 Fixing #434.
6475487 Fixing #423. Configurations now default to timing out after 30 seconds (tunable with configtimeout). This only happens for remote configurations, not local configs compiled using puppet.
a081d41 Fixing #418. The problem was that multiple objects might include Daemon, which means that Daemon#shutdown can be called multiple times.
c33d5e4 Using Time instead of Time.to_i for compile time, because some versions of ruby have trouble converting Bignum to yaml
6d791f5 adding client name to processing line
7670df2 Fixing #445. Nodes can now inherit from default.
afe77b6 changing selector error message
aab3214 reworking the selector case-insensitivity test
9f8a3b1 Removing an extraneous debug message, and fixing the case where the server compile fails in --test mode -- it resulted in an extra warning message.
ca1e36b Applying patch from #457, as submitted by Jeff McCune.
81ae09e making yum the default packager for centos
5735d48 Wrapping the resource generation methods in begin/rescue blocks so that failures cannot kill the transaction.
e8f3806 Fixing error-catching in resources.rb
a3041cd Updating changelog for 0.22, which fixes #429.
bda74bc Fixing #415. Configuration parsing now removes trailing whitespace.
f8115a7 Fixing #424. The configuration compile time is now cached in the yaml cache file.
53f3b8c Fixing rundir so that it does not throw an error when not running as root
c285d7a Fixing #437. Transactions now check whether graphs are cyclic, with a somewhat-useful error message if they are.
9720a97 Fixing #436. Also finally renamed pfile/uid.rb to match the state name.
db5494f Fixing #421 by changing the rundir to /var/puppet/run.
bfb5506 Fixing #416. There is now an option (downcasefacts) that determines whether facts are downcased by the client.
53c3f5a Make rpm operations much faster by suppressing unneeded verification
bcd81bc updating docs with new location for reference info
f069418 Moving the reference docs to the top level
c03a8c9 updates
42b78a0 Use a specific ActiveRecord subclass to check for the proper existence of AR in the Rails feature test, so that we don't kill everything if the machine has Rails installed, but it's an old version that doesn't support polymorphic associations
e64e64d Make the version string optional in the dpkg-query output parsing regex (Fixes: #425)
32bbb3a Clear existing yumrepo instances befoer listing - assumes list should only return "is" instances
3dea961 Enclose values in single, not double quotes; otherwise if values have $ in them, the manifest will be incorrect
5836c23 Allow listing of yumrepos
a676e08 Sync with latest in Fedora repo
965a82d Minor cleanup, leave cursor at beginning of indented line, not its end
c35b441 Add indentation written by Mario Martelli
f7d8350 Updating docs for 0.22.0
4ee6c97 Updated to version 0.22.0
98ed0ae Updated to version 0.22.0
38cfa67 Updated to version 0.22.0
0.22.0
======
728d745 Adding release tag REL_0_22_0
3446dd6 Last round of fixes before the next release
954a285 Fixing puppet test task for older ruby versions
7afa69c Fixing rake test so it works with the new puppet loader
54c387f Adding #408.
d0ecc0e Messing around a bit with how tests work
2728f50 Adding a bit more comments to the :template function
704bd76 Fixing a few testing bugs that have crept in, and fixing a self-reference problem when configuring, graphing, and setting graphdir manually.
e756711 Fixing #411.
48bbd0b Further work on #407. I forgot to actually connect it to the interpreter internals.
f6beef5 Fixing #407. You can use external_node to specify a command to retrieve your node information.
f8f7c57 Don't rely on the type to store the actual NVR of the package; breaks in the provider tests since they call the provider slightly differntly
42c13e2 Adding a timeout to execs. This is not really a sufficient solution, since it needs to be added throughout the system, but this is a good start. The default timeout is 5 minutes.
6e10004 Using Puppet.settraps in puppet executable, instead of old ad-hoc code.
903b40b Applying patch by mccune from #409.
5e470b3 Regressing to always creating files/directories as root, rather than trying to do it as the right user.
bb72a08 Throwing warnings instead of exceptions when dpkg-query produces info we cannot understand
08a56cb Fixing module_puppet to use the usage? feature.
239727c Re-enabling the dirchmod test and fixing its syntax
2195b76 Trying to fix #364. Somewhat used the patch provided by nslm.
8fd9765 fixing filebuckets so that only the client bucket is created on clients
d5651f8 Fixing tests so they now include descriptions with all config options, which is now required.
a454dfb Creating two filebuckets by default, one for the client and one for the server
9c1a446 Fixing #403.
2b271f8 #398 is already fixed, but this will fix things so it cannot happen again
f4b2e13 Fixing #391. Keeping track of times of compile and freshness checks.
098081d Setting up specific allowed types for sshkey
5292e4e Handle continuation lines in inifiles properly; stick a little closer to how python's ConfigParser parses
2366c95 Explicitly require puppet/filetype; otherwise, tests for this module fail
cbd20f0 Simple script to produce type info
3b6bf05 Fix yum update breakage - query should not change the name the user gave us; instead, the fully versioned pacakge name is now stored in the instance parameter
587deea Tone down the debug spewage from yum
9115fef Adding extra connection statements and enabling concurrency support in rails, hopefully fixing #399.
0ef8971 Fixing #394. LoadedFile was not checking to see if files went missing.
f58bda2 The package name must match at the beginning of a line; otherwise we might get fooled by other yum spewage
caabe9b Not saving tags right away. This seems to cause postgres to explode.
9271142 Adding a check to the rakefile to throw a warning if the test task is missing
651640c Fixing #401. Transactions were trying to trigger every resource, even those that did not respond to the specified callback.
c140037 Not setting the graphdir to the puppet user, since it is only used by puppetd
127f0df Using text for parameter values, instead of string, so the fields support larger amounts of text
86e434e Adding postgres as a dbadapter option
2d25816 Fix trac #354, and some other oddities around installing multiple versions of the same package.
50965c7 Changing "sourcematch" to "sourceselect"
373f177 Adding sourcematch parameter to file.
cc05e8d Fixing the error thrown when a dependency cannot be retrieved, WRT to #395.
57d0933 Fixing #396. Using the provider command instead of a direct exec, which automatically captures stderr.
0887fcd Modifying the "Resource#set" method to simplifying adding new parameters
56619d5 A couple of small fixes to pass existing tests.
4482691 Fixing some failing tests on fedora.
3e933cc Enabling debugging except when running under rake.
3b2521b Fixing graphing tests, and correctly only using storeconfigs in tests where rails is available
54a838e Fixing #369. I was not flushing changes to disk when ensure was out of sync. This is going to become a common problem, and should probably be addressed by the framework rather than by individual types, but for now, it works.
b8f798f Fixing #390. You can now add --graph to produce dot files, and you can then produce pngs or whatever from those.
0a1dd1a Use Puppet::Util.sync instead of MonitorMixin to ensure that only one thread runs the executor at once
23b75e2 Fix a syntax error in lib/puppet/daemon.rb (That'll teach me to not run the test suite before committing)
38244fb Create rundir in a test that needs it
27c1b49 Switch puppet/daemon.rb to use Pidlock
16f7980 Switch the run-lock to use Pidlock instead of the ad-hoc code
e4843f1 Make Pidlock#lock return true if we currently hold the lock
e252505 Add a Puppet::Util::Pidlock class, for use by locks and PID files
c1035cc Add system library directories directly in puppettest.rb, so you don't have to do it by hand in every single underlying directory; also change the debug check slightly so that we actually put debug stuff only when we really want it
a333539 Applying patch by rainhead from #392.
7e62bb0 Add updated_at for all tables
6d8b3f3 Removing debugging
da3e9d4 Hopefully fixing tagging problem
280f0b4 Still trying to track down the tagging problem
79e9b46 adding a bit better error reporting when tags are bad
419cdf0 exiting sleeper after no more than two minutes
fa538bc Moving the tagging stuff to an "external" directory, instead of "lib".
0166004 Adding carriage returns to output of puppetrun
f52e2d0 Trying to clean up how rails is loaded
3a313ad Supporting arrays for the backup parameter
17306c0 Features now load dynamically using method_missing, so that undefined features never throw errors.
96f91f6 Adding a bit more testing to mounts, and pulling a bit of the transaction into a separate method to shorten the apply() method.
a2b0ee6 Finally writing unit tests for Transaction#trigger, and drastically simplifying the method in the process.
9ff80c0 *whew* Okay, simplified the splice method a bit, and I am actually somewhat confident that the stronger testing is correct. I have had a lot of problems with tests usually passing but sometimes failing, mostly because of ordering problems related to multiple edges.
bb9c813 Did a short-cut on the graphing, since we currently only support one type of subscription. This solution still will not scale to all that many edges, but it works, although it will fail if we need to support different types of subcriptions.
7ae62a5 A couple of small bug fixes
c4c3d77 Some tweaks to graph splicing, although I do not think it will be enough to handle some of the edge cases.
d07570b Looks like providers work again on Solaris.
6529822 I have not yet finished testing, but most of the providers now successfully pass arrays to execute() instead of strings, which means that the vast majority of execution problems are now gone. I will finish testing tomorrow, hopefully, and will also hopefully be able to verify that the execution-related bugs are fixed.
038d6a6 Fixing #387, hopefully.
a5cf056 Fixing #388. Paths now look a lot cleaner.
883c64a A couple of small bug-fixes
65e76e8 Fixing #353. It was as simple as exiting with a different error code depending on the results of the call.
d3a7c28 Fixing #386.
1d05739 Switching files to use a filebucket named "puppet" by default. Also, set up MasterClient to create that default filebucket.
92ff712 Fixing #365. I am not sure what the problem was in previous versions, because the new graphing stuff changed the solution to this problem, but it all works now.
8ff7e0c Closing #362. Case-insensitivity is handled by downcasing all host names.
f1dc103 Hopefully fixing #355. I could not actually reproduce the specific problem, but I found a couple of issues around the problem and they are all gone now.
a3ce917 Fixing #348. Overrides now support an extra end-comma.
5e58273 Loading the rails lib early on, so that the rails configuration parameters are accepted on the CLI, as noted in #357.
2742995 Fixing #343. Collections and definition evaluation both now happen on every iterative evaluation, with collections being evaluated first. This way collections can find resources that either are inside defined types or are the types themselves.
85b19c4 Fixing #349. Doing some hackery so defined types can now (again) be used as dependencies.
311aba9 Fixing #66. The "defined" function previously checked for definitions and types, but since types and classes can't have the same name anyway, the function now works for classes.
9bb5c50 Not downcasing facts any longer, closing #210 (although not using the patch from mpalmer, since I had not noticed the patch was there). Also, making all nodes, classes, and definitions case insensitive, closing #344. Finally, I added case insensitivity to the language in general, which should preserve backwards compatibility and probably makes the most sense in the long run anyway.
be711d3 Allow execution of bare strings as long as there's no attempt to change uid/gid
c616572 Fixing test to work with new style of graphing.
2c2177c *whew* Fixing the vast majority of the graph-related performance problems. I found a simple solution to handling events produced by generated resources, and that basically fixed all of the performance problems. Transaction tests still fail, but I wanted to get the fix in now so I do not forget it.
299bdc1 Fixing #380. The problem was that a method was sometimes returning :absent when I expected it to return nil when the group was not found. All fixed, yay.
e605c4a Adding some defaults to users, mostly for darwin because it is kinda stupid when it comes to this info
41562cc Adding test for the fix to #361
a9dd641 Fixing #361, I think. It appears to be a problem with missing a setting for realname.
1bdf379 Applying patch from #384, by jgonzalez
253376a Fixing #385. Puppetca correctly exits with non-zero exit code if there are no certs to sign.
36e8d65 Fixing #372 and #374. All is not perfect, since OS X still cannot set UID, but it is much better. There is still plenty of bug-fixing to do on other platforms, I expect.
115ec09 Re-add support for tags and file/lines
f851ca6 Adding :replace aliases, as requested in #366.
9f48706 All rails *and* language tests now pass, with the exception of a language/resource test that passes by itself but fails when run as part of the whole suite. Also, I added deletion where appropriate, so that unspecified resources, parameters, and facts are now deleted, as one would expect.
dc5f4dc Fixing most of the rails stuff. I think everything basically works now, and now I am just going through and making sure things get deleted when they are supposed (i.e., you remove a resource and it gets deleted from the host's config).
5a52855 Fix up a problem with initialising an sqlite3 data store, presumably only with older versions of Rails
3c93400 Adding daily snapshot tasks, altho they only work at my site
10dbb17 Some more graph optimizations; I think I am now close enough that I am basically just going to spend a bit more time making sure the modeling is right in the transactions, and then walk away for now.
b01ffe6 Adding a simpler and *much* faster tree_from_vertex method, and using it instead of the default one
a481f9b Requiring puppet/rails in the interpreter before Rails.init
9df9e4b Getting rid of the db init stdout and reindenting
02cfc44 Simplifying the splitpath method a bit, altho it is still strangely slow
9fa7794 Simplifying the the Puppet::Type[] method
0dbe96d Redoing the benchmarking a little bit
f622e18 Go back to restype and remove STI classes, they were more trouble than they were worth.
9ad62d2 Modifying rails test
0dac4ec Changing some of the error output. This gets rid of the duplicated information that occurred when definitions or nodes were duplicately defined, and it tightens the error output a bit.
0f78282 Adding unit test for #364. It passes on OS X.
dc96f98 Adding some selectability to host creation for testing. Using find_or_create_by results in lots of saves instead of one big one at the end, which causes initial saving to be much slower. To switch between them, just modify the value of "create" at the top of Host.store.
6b5d001 I like to checkin one-liners a lot. I'm cool.
7173c1f Don't use find_or_create_by_title since titles aren't unique.
e28c604 Remove old files, don't require pp anymore
3d070f7 These are the same versions from changeset 1837
0cd5799 Some rails modifications
6d9ae0c Don't dump out debugging stuff.
342a4a6 Don't symbolize the param names
56098ca Rename some stuff I missed when it was reverted
b5fd822 acts_as_taggable plugin
98ebb87 Moving the mount provider tests into a subdir, and fixing the basedir calculation in tests so it does not matter where the test is called from
8714e14 New rails stuff redux.
026ec4f Small changes to the test rakefile. This rakefile still is not completely satisfactory, as I cannot use it to load all libs but only run on test method, which is often important when trying to track down a bug that only occurs when multiple files are loaded.
8be0d33 Fix service.list, in particular for the redhat provider
29ded01 Fixing painfully difficult to find bug in defining exported resources
72f8b32 Reworking the package tests. Now providers are tested individually
f5e7915 Rewriting the test rakefile so test directories can be more than one directory deep. This will be particularly useful for providers.
40c0905 Fix up the filelist for gems, so that all of lib/puppet gets put into the gem, not just the top-level .rb files
c35988a Another round of bug fixing. Now everything passes except mounts, at least on OS X.
ab60452 Fixing the next round of bugs, mostly little things but I had to modify transactions so they are willing to delete implicit resources even if they have dependencies, else we would often not be able to purge files at all.
3937aa3 Never default to rpm provider; use up2date on RedHat. This also works on RHEL5, which does not have up2date, the provider properly fails over to using yum
c763346 You can now use the "resources" type to purge resources. I still need to modify transactions so they do not purge resources that have relationships. Also, apparently the noop metaparam was never actually working; now it is, and there is a test for it.
64d96e9 adding a note about facter to the faq
e96049f Change the filelist slightly so that the externally-included lib/rake doesn't end up in the gem
8829aa7 Adding a metatype to manage resources of a specified type. For now, this metatype just supports purging unmanaged resources. Also, fixed a few tests here and there
4abbdc1 Working some on the export/collect problem. It actually works now, but there are not yet sufficient tests for it, so I will leave the bug open until we have got the new work in place. I also added a "rails" feature, so I do not have to keep testing whether ActiveRecord is defined.
8fee538 Adding a short note on variable interpolation
8accd80 Adding a bit of clarity about file locations
dd1c4b9 Add a task to build Debian packages more-or-less 'directly' out of SVN.
01fecb1 Add external Rake task file as an svn:external, and modify the Rakefile to add lib to the load path
b3eb9f1 All tests should now pass, with the possible exception of some tests that might fail when all tests are run in one process.
e287d1e Almost all tests now pass. I have basically reached the point where I was before I integrated graphing, except that all of the relationship handling is now inside the transaction, and any kind of recursion (including file) is *tons* easier to model and manage.
37a059b Most tests now pass in the whole system, but there are still about 8 cases that do not work. I am working on those now.
374c830 Removing the explicit load for most types in type.rb
8aebdfc Removing the reference to the symlink type
2d43580 Most of the graph handling is now done, and all of the recursive types (basically just file, tidy, and component) now correctly use the generation mechanisms in the transactions, instead of sticking them in their @children array. Now I just need to go through the rest of the tests and make sure everything passes.
d3b76d6 Removing the symlink type finally.
cdd1e6e Another intermediate commit. Most of the graphing work itself is now done, but I am in the middle of converting files to use the graphs and at the same time am writing some actually decent tests for the file recursion stuff.
01e5b69 adding note about --no-client
8ff90ef Fix bug in example code: all resources now must have names
f3a0c48 Most of the graphing work is now done. I have also added the generator work in transactions, but I need to migrate files to using it. Until that migration is done, files will not work correctly for many cases.
a7354d0 Fixing link to fsconfig reference
ccd7b58 Intermediate commit -- I am ready to start pushing the graph stuff into the types and transactions, which will break everything for a little while.
c301b1b Make spec file work for Fedora < 5 and RHEL < 5
3e3f70e Adding GRATR and the beginnings of graph integration.
34c89b0 fixing typo
b3c3de2 Fixing #342. Classes needed to have their namespaces set to their fully qualified names, so that contained code and definitions looked for definitions starting with that fq name.
4076101 Fixing mount tests after fixing the backward compatibility
185ba8c Fixing backwards compatibility in mounts -- they were not correctly copying the path over to the name
5f5417a Fixing #347 (I hope). Doing a provisional require of rubygems.
c369e40 Fixing #346 -- on some scripts I accidentally used "feature" instead of "features"
c3c5851 Fixing configuration storage -- there was a check being done that caused false values to get converted to nil values, which failed in the database
25d563b updating syntax matcher to highlight dollar signs in prototypes
60af8e2 Updated to version 0.20.1
e313a26 Updated to version 0.20.1
68d9e78 Updated to version 0.20.1
0.20.1
======
2feb9e8 Adding release tag REL_0_20_1
7d46167 Updating changelog for 0.20.1
7fa96cb Another small fix, just for solaris
db5d9d4 Another testing fix
0efa969 Fixing more tests
5d2f954 Fixes to the test system, and a couple of small fixes to the main code. Also, disabled the "port" type, because I cannot seem to model it correctly.
f8b9e86 Fixing a small syntax error in the port provider
35de0e3 Temporarily reverting all of the recent rails work so that I can release 0.20.1
26b32b9 adding svn keyword to notify type and reindenting
e936fcc Removing the caveat so that the log message is always provided during a run.
b2e98b1 Fixing #339 for real this time -- fixing the log message
1bf97cd Fixing #339, and the bigger problem it concealed. Metaparams are now only added to resources that do not explicitly set them.
50d28ef Applying patch from #335
0a35c34 Removing some debugging, and trying to track down a bug where symlinks get recreated for now reason
ff06a8d Ported sshkey over, yay.
4e96031 Adding a NetInfo provider for hosts. Yay!
064ddbc Hosts now work again, and it should be straightforward to create a netinfo provider, too.
bb80c1b Ports are still broken, but I need to work on something else while I am thinking about how to fix them. Stupid /etc/services.
25b575f adding a comment to namespaceauth.conf
b2a49c9 adding up-to-date example configs
4d5f70f Trying to get a netinfo provider for mounts working, but i give up. I am leaving it in place but marked as highly experimental.
bd169b4 Mounts work again, at least with the parsedfile provider. I still need to create a netinfo provider, but it should be short and easy. And, painfully, I still need to port the other six or so subclasses to this new provider.
138150d Doing some refactoring in how state values are set. The primary motivation was to provide the ability for the "newvalue" method to specify whether the provider should still be called, and if so, in what order (e.g., before or after).
5685013 Fixing the state class so that blocks are optional for values. This is useful for cases where you want to specify values for validation but you want a method called on the provider instead.
0643113 An intermediate commit. All of the classes that use parsedfile are assuredly broken, since I have basically completely rewritten it. These classes have been a thorn in my side almost since I created them, yet they have been significantly less functional that I wanted. So, I decided to do the rewrite I have been putting off, just to spend all of the maintenance time now so I do not spend 3 days on them every release.
7c8614b Adding module for parsing files. This module is only included into the parsedfile provider base class, but it is cleaner to have it broken out like this.
f9d6213 Fix silly regexp mistake where lines with values containing '=' were parsed improperly.
b44ebe2 Fixing some warnings
9f8849e Mostly small changes toward 0.20.1
10634d6 Fixing #324. Mkusers was not specifically ignoring the root user, and it is now.
349e2aa Updating docs with correct links for the doc restructuring, as mentioned in #322.
5a4f807 Fixing #326 -- parseonly now just creates a simple Master without opening a port
cbb4578 fixing #327; debian packages now correctly register their "latest" status
87fd075 Adding a simple report that just duplicates client logs onto the server
10c860f Slightly more doc updates
114cd8a More doc updates -- I moved the doc headers into separate files, rather than having them in the code
b14982a Small fixes here and there. The rails changes needs to be pushed through the collection code, so I am committing so Blake can take a look at that.
aa2da58 Updating docs
f438bab Refactoring the doc generator a big
1f548f9 Updating documentation
87aea8b Fixing rrdgraph report (as marked in #334); also, expanding the docs on all of the existing reports.
51882d9 The new rails files.
cf166c2 Rails stuff part 1
28c283c Fixing some sticky problems with checksums when just using the "check" metaparam.
744ded3 Merging the code over from the oscar branch. I will now be doing all development in the trunk again, except for larger changes, which will still get their own branch. This is a merge of the changes from revision 1826 to revision 1834.
dc4d980 Syncing up with FE repo specfile (only mandatory changelog entries)
033de88 Making some documentation changes
e741b7b Fixing some Class.to_s handling
0930b5e Mostly rewrote intro doc
71924ad Updated to version 0.20.0
a488dd9 Updated to version 0.20.0
4688d93 Updated to version 0.20.0
0.20.0
======
7694bd9 Adding release tag
f9f939e Updating changelog for 0.20
e3b4f23 Another round of bugfixing, including finding out that the tagmail report was leaving zombie processes lying around
07f616b A round of bug-fixing on OS X
ed38ba4 Doing some work on the DSL. It behaves a little more like the real language now, although overrides use the same syntax as normal resources, and there is no facility for specifying defaults
7b34e25 Another round of bug-fixes in preparation for 0.20.0
ead49c6 Applying patch from #318.
7261cbb Applying patch from #319.
3a6683e Changing the realize() function to be just syntactic sugar for a collection -- it literally creates a collector object now. The benefit of this is that it is late-binding, so file order does not affect whether a resource is available.
05080ff adding docs for virtual resources
a05b8f5 Adding a "realize" function that can be used to make one or more resource non-virtual. It is just syntactic sugar for a collection by title.
8a4bf1b Hacking cron so that it works even though I have changed ParsedType. The whole stupid thing needs to be rewritten from scratch, but this is the best i can do for 0.20.
d77d6d4 Adding prefetch of providers to transactions. Nothing is using it yet. I wrote it for cron jobs, but it is too much work to fix this for cron jobs right now.
f1ebef0 Fixing virtual object collection. I apparently broke it when I added rails collection back, and I never created any end-to-end tests.
52105c6 Fixing doc generation for objects w/out their own docs
1d35f28 Fixing a bug that only occurred if a defined resource was already defined in memory.
ada7777 sshkey now uses a provider
95f2fe7 Ported mount over to using providers
86dae84 Fixing ports to now use a provider
7e488b2 Working on migrating the parsedtypes to using providers for the parsing aspects. This just converts the hosts; I will convert the others next. This is all work from the sync-retrieve-refactor branch, modified to work with trunk.
ce4c494 Fixing puppetmodule to use env to find ruby
0472b24 First batch of fixes from running tests.
5ddbc36 Fixing sbindir path, thus fixing #302.
29ff4f3 Switching from calling "up" on the migration directly to using the "migrate" method. It is still not checking versions or allowing external forcing of migration, but it is a start.
b4ebe76 Rewriting nearly all of the tests for the tidy type, and redoing the internals of the testing.
9e5ea8c Fixing the test scripts so that the library path
72688e3 Fixing gennode; it was not actually adding the class code to the generated node.
816c5ce Adding a ruby header to all of the tests so that they can now be executed as normal ruby scripts. Using multiple commits because I am having some svn problems.
1d56ca6 Adding a ruby header to all of the tests so that they can now be executed as normal ruby scripts. Using multiple commits because I am having some svn problems.
624eddf Adding a ruby header to all of the tests so that they can now be executed as normal ruby scripts. Using multiple commits because I am having some svn problems.
67704e7 Adding a ruby header to all of the tests so that they can now be executed as normal ruby scripts. Using multiple commits because I am having some svn problems.
0859da9 Adding a ruby header to all of the tests so that they can now be executed as normal ruby scripts.
1020c04 Making all test suites executable, adding some tests for handling changing files from one type to another, and fixing #304. The problem with #304 was only occurring when backing up to a filebucket (I can only think the example code was wrong)
dad596e Fixing #291 -- the problem was that instead of throwing an error on a missing server, puppet was just exiting.
9a8636c Moving all of the configuration parameters out of puppet.rb into puppet/configuration.rb, and adding a PATH setting as requested in #307, although it does not include a default.
86b3386 Adding the ability to have hooks for configuration parameters. This will simplify things like setting the shell path.
32deb3f correcting warning about spaces before parens
c48f68c Adding patch from Jeff McCune, #317
9bd5593 adding explicit load of ast/branch to its subclasses
b9ed053 Format tweak for fact tutorial.
5403a91 Adding a summary of using facter and using imported facter facts with puppet.
90e4c7b Adding some documentation to the programmer's documentation introducing the concept of providers.
f545350 Adding some documentation to the programmer's documentation introducing the concept of providers.
7b75590 New documentation hierarchy: fixing indexes.
db24e17 New documentation hierarchy: fixing indexes.
628f6c9 New documentation hierarchy: fixing indexes.
9c01560 New documentation hierarchy: adding indexes.
ba33249 New documentation hierarchy.
da7cb9f New documentation hierarchy.
7b0e528 I was stupidly creating an error but not raising it.
29cce30 Moving methods around so they are alphabetical
ed89572 Committing the metatype branch -- this is just splitting the type.rb code into multiple files for readability
b4fd8d1 Catching missing ldap correctly in puppetrun
b5344f2 Fixing the problem reported by Adnet Ghislain where facts do not load on later runs.
8f9264b Fixing code from [1754] -- I stupidly did not even do a parse check, and I had to refactor the patch because parameters do not have code associated with their values.
94484df Applying patch from #234 from David Schmitt. This is also untested, and the patch is slightly modified.
4a8c5dc Adding modified patch from #256 -- apt now uses "responsefile" for the preseed file. This is untested, though, since I do not know how to test it.
a7c88e8 Adding patch from #308.
08900a4 Fixing #298 - refreshonly now correctly deals with specified false values
133c17f Fixing #305 -- logs now reopen when Puppet restarts, and there is also now an autoflush mechanism available so logs will flush to disk immediately. I also now trap USR2 and reopen logs when it is sent, so if you just want to reopen logs you do not have to restart the whole process.
c3cc162 Fixing #309 -- files now correctly replace any number of slashes with a single slash. Also, trailing slashes are removed, since that is how Puppet expects to find files internally.
c8ea361 Fixing #301 -- s/logfile/logdest/g
1c6cb60 Fixing #310 -- users no longer autorequire their homedirs, and files now autorequire their owner and group.
34f8337 Refactoring reporting. Reports are now modules instead of simple methods.
5b6ee8c Adding a "genmodule" equivalent to classgen, which we will use for reporting
1cdbe52 Added a section about testing.
96aabac adding id tag to tags.page
d532ea8 Documentation edit
addfe16 Adding a document to outline the use of tags
0716c83 Expanded documentation for rrdgraph report.
675495c Many, many, many performance improvements in the compiler (I hope). I did not change functionality anywhere, but I did some profiling and significantly reduced the runtime of many methods, and especially focused on some key methods that run many times.
ab0141a More specific configuration and argument documentation.
c7a7381 Documented signals the puppet daemons accept
aea6eaf adding id tag to reports
8f058a0 Fixing the rrdgraph report so that it creates a separate rrd directory for each host
b892093 Fixing weird case where the default node is in one node source and the real node is in a different one
06a7d34 Fixing ldap nodes -- they were always returning true because i was returning an empty array for missing nodes.
2489764 Changed document priority.
c1afdec Another minor formatting fix.
c9f6113 Missing tick.
d72c970 Adding some documentation on reports.
8a8191f updating install docs with new suse pkgs
1213d60 Removing some left-over debugging
28cee40 Merging the changes from the override-refactor branch. This is a significant rewrite of the parser, but it has little affect on the rest of the code tree.
e0e2913 Renaming logfacility to syslogfacility as recommended by lutter.
30fa686 Adding configurability to the syslog facility, using the "logfacility" parameter.
da0c862 Do restart as stop + start, since sending HUP to puppetmaster doesn't work (see trac #289)
ee76231 adding links to the real deb pkgs
dc6d426 Comment out the setting of PUPPET_LOG, so that puppetd uses its default
6e6cb8f Messages will now be at current loglevel, regardless of whether the object path is displayed.
30f9fa3 Added parameter 'withpath' to toggle printing of the object path.
8cc3c8a adding a note about single-quoting node names
5da80db - New type Notify for sending client-side log messages
f53b9b0 - New type Notify for sending client-side log messages
04c0c14 Changing warnonce to Puppet::Util::Warnings.warnonce.
8214c48 Fixing suidmanager so it uses warnonce instead of using a variable that only existed in Util
de304e5 Rephrased a short section about finalizing the object dependence hierarchy.
fee5116 Fixing reported problem of crons rewriting every time when the environment is set
244a11d Fixing what I hope are the last batch of problems caused by the addition of the suidmanager module. Also fixing a couple of other small issues that somehow cropped up. All tests should now pass again.
674841c Just fixed some RCS/CVS id tags.
98028ce Adding flush functionality as requested by Scott Seago
fd9b2f6 File types were dying silently on OS X when the group specified in the manifest was not a valid group.
db7d784 Fixing SUIDManager#asuser so that it only resets egid and euid if they were changed
dfef7e1 Adding a note about another error
d888d9e Added some documentation to the security page to offer some example invocations useful for generating/signing certificates for clients and servers.
ab225aa regenning configref with the fixed spacing
b4970a9 Expanded documentation of command-line arguments for the puppet executables. (Tweak)
cc08e2f Expanded documentation of command-line arguments for the puppet executables.
008a138 Expanded documentation of command-line arguments for the puppet executables.
f2ac4dc Updating changelog for 0.19.3, and merging the version changes over.
68016a9 ! rename file because rake_test_loader is dumb.
287b18c + New assertion: assert_uid_gid will check that the UID and GID have been changed to the proper values. This uses a fork and a FIFO to achieve it's checking.
55f2873 Merging the fix to server/master.rb
3aac2e1 Some small housekeeping things that I saw while doing other bug hunting
48082a1 adding note about the irc channel
515f3cc Harded-coded pathname to OSX's ssh_known_hosts as a work-around until the ssh pathnames are user-configurable.
7b5604b Adding some test reports
6f11dee + Puppet::SUIDManager - This replaces all calls to the built-in ruby 'Process' library for uid/gid/euid/egid operations, including (not surprisingly) Puppet::Util#asuser and a method to run commands and capture output. This is due to many inconsistencies (through bugfixes) between ruby versions in the 1.8.x branch. This is included in the core puppet library and can be used by all puppet types and providers.
320ac38 Updating CHANGELOG for 0.19.2
8f9dcb5 Updated to version 0.19.2
595d5ba Updated to version 0.19.2
6902f2d Updated to version 0.19.2
0.19.3
======
bec795d Adding release tag REL_0_19_3
0513ffa Fixing problem with the hostname being removed when running locally. The node_name setting was not checking that the client was set, and it is never set when running locally.
7726afc Adding branch to fix the problem with hostnames getting nilled
0.19.2
======
ddb4c47 Adding release tag REL_0_19_2
164c18f As requested by Christian Warden, triggering an object now results in
98004b2 Adding some error handling for when a non-existent report is asked for, and adding a bit more testing.
a1e27bc Adding trace information to autoload.rb
0bd3055 Switching Autoload#loadall from using "load" to using "require", so it will not reload already-loaded files. Also updating the checksum docs a bit.
eecc7cc Fixing error in tagmail when there are no messages to report
a468c15 Disabling a test on solaris, since apparently sh on solaris is different than everywhere else
64a3392 Small test fixes in preparation for 0.19.2
d35d04e Adding class list method to group. Also added a test to verify every type responds to "list", but it does not pass right now so it is disabled.
9afdf1f Adding an Autoload instance to Type.rb so that I can load all known types for documentation purposes. And, of course, loading all types in puppetdoc. Also updating zone.rb to fix markdown's stupidity in trying to interpret the ERB template, and adding some timeouts to puppettest.rb
1ae4344 more fixes to the zone examples
c8c3ee9 doc updates
2e17e4a Doc updates
9bd69c4 Typo: As stood had "remove" for "remote"
fcf16f7 Fixing #245, opened by marthag.
1ad76d1 Fixing #278, opened by Digant, with patch.
5faa45d Fixing #274. I just set :ensure to be :link when :target is set.
62abbd5 Fixing #283, opened by luke.
ea4b9c8 Fixing #285, opened by ericb.
c99843a Fixing #288.
2b27289 Fixing #293, I think. The problem was that the groups state was not correctly passing strings in all cases, which caused some very strange problems internally.
0870c5c Fixed a minor typo
dc8fb0a Fixing #292 (A bug in tagmail that causes any tag other than 'all' to fail)
afed9a1 adding an extra make target for debugging, rather than defaulting to always creating the debug file
e88bf77 Rake::TestTasks were running the test suite inadvertantly against the installed tree instead of the development tree due to a botched "libs" setting.
bc15e04 Fixing provider commands and Util#execute so they always include the command output when possible, as mentioned on the list
f0a9345 Regenerating docs, and correcting some markup mistakes
62917fc Small update to the fileserver tests; it was apparently not making some test dirs correctly
3891f48 Converting to using the Rakefile for testing. The old 'test' script is
dcab464 Reworking test/lib structure a bit, and renaming all of the files so that their file names match their module names
abe1d3c Fix trac #282 (Change URL to configref, mention --genconfig)
7030aca Small modification so i can make more changes
6a1b43a updating changes from the trunk
6747b6a going through all of the other providers and making sure any reference to a state uses the :should value, not the :is value.
69d4083 Fixing case of silly states on os x, where files are owned by "nobody" and File.stat returns a huge number. I thought i had already fixed this, but apparently not. I added a test, and it is definitely fixed now.
8cbe19f Fixing the same bug in the netinfo provider -- it was retrieving the "is" value instead of the "should" value
6137812 Fixing #280; added a warning and exiting if no hosts are specified to clean
533a022 applying patch from #275. aptitude -q works fine on my testing release, but apparently stable does not support it
94f5865 Removing the no-longer-necessary type/nameservice info -- it is all in the provider tree now
94762e1 Trying to fix a bug where files other than site.pp do not get noticed for reparsing
176d483 Add config option 'node_name' to control what puppetmaster considers the proper name of a client (name in the SSL cert or name uploaded with facter) Default to name from the cert
fd4ef3c Better documentation around certificate revocation and mgmt
c8a6df0 Updated to version 0.19.1
ee8b8c7 Updated to version 0.19.1
6f85511 Updated to version 0.19.1
0.19.1
======
7e229a8 Adding release tag REL_0_19_2
0e58f65 Updating changelog for 0.19.1
4a3c8d1 Adding testing for the default? method, and fixing it to support arrays and returning false when no defaults are specified
48992d7 Using the "trace" configuration parameter to determine whether a stack trace should be printed, rather than just using "debug". I added the param a little while ago and was using it internally in Puppet::DevError, but I just now went through the whole configuration and switched to using it.
cda7253 Adding patch from #235
5219205 Fixing docs, as mentioned in #271.
c04cb13 Reverting the work done in [1605] and [1606]. I have added it as a patch in #271.
08499b1 Adding the feature from #259. I had to rework the Scope#lookupvar a bit, but everything now works as expected when variables are either undefined or set to empty strings.
26bf373 Applying patch in #160.
e46d007 Fixing #262. I somehow lost the line that only added a given user's jobs to each tab.
0af8ad7 Removing a test in the parser that is no longer necessary because of how imports work now, and fixing a snippet not to interfere with a local fact
5669d1b This commit adds two important features (but which probably were not
fbdd6c4 Specifically rescuing Exception, since apparently the default does not rescue LoadErrors and everything else
349bddd collecting output from blastlist, for later use
4cd37ad Merged test framework into trunk - still not ready until tests are converted to use it.
4897995 Fixing the "Adding aliases" message, so it is clear when an alias with spaces in it is used
6bb4814 Fixing #267. The problem was that the user provider was retrieving the @is value instead of the @should value, because it was using [] instead of the should method. I fixed the FakeModel to behave a bit more like real types, so that it keeps track of the is/should values, and also to keep track of which attributes are valid, since I immediately ran into another problem stemming from the use of the fakemodel.
e5aa761 Updating changelog for 0.19.0
2c57173 Raising element creation errors up outside the "create" method, so that tests can more easily tell when an object is invalid.
16d9d6f Fixing spelling of retrieve, to fix ##268
3b8c9ff Fixing #269. I was aliasing every case where the title and name were different, where I should only have been aliasing isomorphic types, which does not include exec
bf5d0bc Catching all errors encountered during loading, not just LoadError, to fix ongoing problems with rdoc/usage.
64eb1e8 Let puppetd listen (when given --listen) without a CRL
5e2091b Brute force fix for trac #266
37c9633 Fix test_host_specific to not depend on the path of the test directory and reenable it
aa56185 Expanding the Fedora/RHEL instructions some
47dc290 adding note about david's yum repo
8ff418c Fixing the problem with fileserver expansions, and doing a bit of refactoring to make things clearer
cf5291a Fixing the interpreter to nodesearch across all listed names, just like is done in the manifests. Also fixing a comment in type.rb
ca6ac62 fixing typo
0527426 adding gentoo notes
3e1b6bc Adding a :trace config option that prints stack traces of DevErrors, and using that in DevError instead of :debug
95269bf Adding test code for providers that makes sure the default and confine mechanisms work internally.
09f264a Add config parameter ca_ttl and deprecate ca_days; ca_ttl makes it possible to generate certs that are valid for < 1 day
130b245 Use Pupet.warning instead of nonexistant 'warning'
a5f4f53 Fixing #261. Applied patch, with small modifications.
0c0936b Adding a module for helping with warnings, starting only with the "warnonce" method
af1de89 Sync with FE repo
c651b19 Disable the sample fileserver module by default, otherwise users get spurious warnings about nonexisting directories
65bb635 Updated to version 0.19.0
61e42e7 Updated to version 0.19.0
12b219e Updated to version 0.19.0
0.19.0
======
fbebcc5 Adding release tag REL_0_19_0
e309b76 Modifying the provider base class so that it defines a method for every used command (e.g., you call "commands :rpm => 'rpm'", and it defines an "rpm" method. I then pushed this throughout the package providers, which are the heaviest users of commands.
c5ce953 Adding aptitude support, including a new util::package module that provides a method for package version sorting, and a couple of smaller bug fixes. This fixes #237.
2113eed Adding hasrestart parameter to services
fcc5bae Adding an "env" parameter to exec, for providing extra environment settings, as requested in #236.
8310c9d Adding a "withenv" execution util method, and using it in :exec for path handling. Next will be other env handling.
f8254c6 Fixing #230. If the first line in the cron tab, before the header, starts with TZ= then the header will be inserted after the TZ line.
fa16a92 Fixing small bug in cron where removed fields are not deleted from the file
e28250d Adding further gentoo support -- finalized portage support, plus conf and init info for puppetd
41c9081 Adding the Daemon module back into the Client class, which fixes #247.
46fbf95 Adding an "ignoretags" attribute to transaction, and setting it for downloading plugins or facts, and for creating config directories
b303e8d Adding the ability to download facts from the central server. This allows facts to be available before the configuration is compiled.
b36df18 A small fix to the install/update aspects of packaging.
47c86e5 Fixing the package type so that :ensure is always used for version specification, rather than :version, which is now deprecated. This provides much more consistency. I have not tested on all platforms yet, but I want to enable testing on Gentoo, also.
19992f7 updating documentation for how to specify versions
7eed92e Applying a patch from Jose Gonzalez Gomez; apparently this makes package updating work
40b2ed6 Adding portage support again, since it was added in the branch i reverted
617fe58 Removing all of the changes I made towards refactoring in the last couple of days. They have all been moved into the sync-retrieve-refactor branch. This branch will soon become 0.19.0, and will not include that refactoring.
8f39318 Committing a small amount of work in cron. I have decided that this is too last-minute, and not important enough to hold up the release. I want to get this refactoring done, but it is clearly not the 4 hour job I hoped it was. It will have to be in another release, I think.
b43b489 Committing functional mount support. All that's left in this chunk of work is cron.
639ed3d Adding first version of the portage provider, as contributed by Jose Gonzalez Gomez
655881c Ports now work with a provider
daa79e2 Intermediate commit; ports are not working yet
b657850 Fixing SSHKey support.
270f444 Beginning the process of moving parsedtypes to a provider. Each parsed
b9b3384 This is the initial commit of the changes to sync and retrieve. The
3733034 Renaming parsedfile to loadedfile, which makes much more sense and reduces some naming conflicts
a887993 Adding Gentoo support from #224.
c626796 Adding eat-last-line support in ERB
a115050 Adding pre- and post-hooks, as requested in #233.
f797487 Fixing #239 -- missing checks now throw an ArgumentError. This will break if any command purposefully returns 127, but that would be a bug anyway, I suppose.
ff18e55 Adding support for file purging, as requested in #250. Any unmanaged files in a purge-enabled directory will be removed.
18320ee Adding a "force" parameter in files to fix #242. Currently only used when replacing directories with links, but should probably be used in other places.
7fd5b6f Specifying true/false allowed values for file[:replace].
8cbe1d3 Adding logcheck script from #244.
2cb2e03 Applying patch from #251, and switching "confine" to "commands", so we can document the command requirements.
712e157 Adding SuSE files from #252.
42812f8 Applying the patch from #253 plus tests.
fd86428 Updating templating docs with more about usage, and adding installation notes about ruby segfaults on Debian
f587d88 Adding note about configprint, indicating what versions include it
989716e Adding zone patches
96350b2 Fixing #257, where host aliases were not being retained. The problem was that the "should" method was returning an empty array if it was not set, and it should instead return nil.
114debd batch of small bug fixes
2802b70 Making sure that the svn bin directory is at the beginning of PATH, rather that at the end, so the svn-versions of the exes are being tested.
b086280 Removing type/provider references on type removal
053f37c adding notes about the libruby deb package
77783e5 disabling reporting until i can find a way to make reporting only work with puppetd, not puppet -- clearly puppet should not try to report
199f5b0 Fixing the state so it tries to call provider methods and only checks for errors, rather than checking with respond_to?
b6b9d0b Setting both "report" to true by default; I am going to enable pluginsync by default once I have plugins well-documented
02b8b13 Fixing array printing in to_manifest
29edb14 Fixing service refreshing -- there was a problem persisting from the provider work
14d64dd downgrading the template interpolation message
fa0446b Adding back in the code to change the euid. I removed this yesterday because I thought it was redundant. It is absolutely clear that I need to add tests for running as separate users.
6f175ce Adding automatic stacktrace printing to deverror. I need to go through and remove the redundant puts in the rest of the code, but I need this now for some client debugging
a46a620 disabling chuser on os x, since it is broken with < ruby 1.8.5
a53d840 fixing provider commands; I broke them when making them easier to document
0f231b8 Skipping blank lines and comments in autosign.conf
9381d5f Fixing report lookup so it looks up by name, not method
948c96a Changing autosign mode to 644
762599b Fixing tagmail config processing so it fails when appropriate
0674c9a Fixing reports error reporting
a6c38b5 Fixing location of ca cert
04b2557 Fixing report autoloading; I was calling the wrong method, and they were never getting loaded
47dbf82 Upgrading Triggering line from info to notice
d45d22b Adding a module specifically for making doc generation easier, and adding defaults info to provider docs.
e1aff4c Last commit of puppet docs for the night
b9ad604 Modifying providers so that docs generate better
9b526ba Adding provider docs for required binaries
6aaeb05 Updating generated docs
5395e23 Adding pointer to templating docs into the file[content] documentation
8dbca3d adding notice that "$" is now required in definition prototypes
333c229 adding first draft of templating doc
628896b Adding a "configprint" option for printing out the local config state
9f7621b Adding a little more validation to the schedule, and documenting the source search-path stuff in files
ad32b71 Tracking down some weird bugs that managed to creep into the parser. I expect that the main ones were a result of the If support.
db0be8e Committing some changes to the %h expansion in fileserving. This change makes the expansion entirely isolated in the Mount class, which makes it much easier to test. Also, switched the fileserver config to use ParsedFile, which makes it a bit easier to understand and handle reparsing.
a44b1dd Committing the other half of the fix for #231; oops
ed15471 Fixing #231.
55d3fb8 Support for %h and %H replacement in the path of fileserver modules.
2540cdf Demoting the xmlrpc access logs to debug from info
38a184e Changing permissions on the cert file and the ca cert file, since it is no problem for them to be readable and sometimes it is required
b612a15 Try this; seems to work for machines with both ActiveSupport installed and not. MissingSourceFile is an AS thing, though it subclasses LoadError.
8fcec23 Adding up2date support, as submitted by Kostas Georgiou (with some modifications to support providers).
9576d1d Certificate revocation through puppetca. Keep a simple text inventory of all certificates ever issued.
4151fd5 Committing definition inheritance. I have not yet written tests yet, but my last commit pretty seriously broke some things without me realizing it, so I wanted to get this in.
1b2ee4b Adding "if/else" constructs. No operators, no elsif, but it is a good start, anyway.
ea32a38 Function autoloading now works as requested in #214.
bba972f Adding warnings and error throwing for #218 -- metaparams in prototypes are treated specially.
a1d71d9 adding faq item about ipv6 support
6e4d4c9 Accepting patch from #220, thus fixing the bug.
e322161 Fixing #225. Normal file copying worked with spaces, but recursive file copying did not. I modified one of the support methods so it works now.
bf43c76 Fixing #228. The real problem was that "present" should match any type of file existence, whereas it was just matching files. If the file was a directory, as in this case, Puppet considered it to be out of sync. Now, "present" matches files, links, or directories, but still creates an empty file if the path is missing.
aee1c6a adding cookbook into to the docs index page
7ade561 Support for certificate revocation and checking connections on the server against the CRL
c6fc6c5 Adding a link to the cookbook
b2031aa Making some of the metaprogramming a bit more explicit and a bit easier to manage. In the process, I have created multiple Util modules, only one of which is used for this current commit.
beba3e4 Finishing changes to support titles instead of two types of names. This is basically a bug-fix commit.
607d7c6 A first pass of changing one of the types of names to titles. I still have to fix a lot of tests, but the core itself is now working.
12452ee Merging r1468 from the implementations branch with r1438 from when the branch was first created.
4d6120a Committing changes that require dollar signs in prototypes
abaeb86 removing classing example, since it involves parameterized classes
e684cd3 Adding some documentation for the cfengine module
1eaf1bc Fix problem when --fqdn is used
e6aa4ab documentation updates, pointing to the suse yum repository and specifically mentioning package locations
0e862a3 Fix shebang lines in executables
450b495 Added comments to stay in sync with the spec file checked into Fedora Extras CVS
d6fc1b7 more ordering info
89b4dfd adding ordering information
7957ce0 fixing puppetdoc to add ordering info
f974ffc Fixing the master server so that it always uses the Facter hostname, not the cert or IP hostname.
eb8c687 updating links after a link validator
257fb78 fixing faq links
3ef4663 adding DSL class. Sorry, not much in the way of docs.
31b1d0b fixing more doc links
b2f1aa0 doc updates
b8bf113 Updated to version 0.18.4
94cc68b Updated to version 0.18.4
ce95ee3 Updated to version 0.18.4
0.18.4
======
74a3b4d Adding release tag REL_0_18_4
f13c451 updating changelog for 0.18.4
cdeccab Another batch of bug fixes, this time focused on OS X patches. Looks like I did not test on os x last time.
b42eaee First round of bugfixes in preparation for 0.18.4
9e61510 Fixing #77. As I feared, this was a pretty complicated fix; I had to add a lot of infrastructure to both ParsedFile and Config. All config files now have a timer created for them, and by default they check for file changes every 15 seconds. If there is a change, they get rid of values set by the file (but not set on the cli) and set the new values, then the re-use all of the sections, so that any changed directories or whatever get recreated.
310b3a1 Adding timeout functionality to the ParsedFile class, in preparation to adding config reloading to the Config class.
c8537a5 Apparently objects were legal rvalues, which does not make any sense. Fixed this, and added a test verify.
21ae8fb Fixing #185. Added a check for cdrom sources, and added an override parameter.
039abd6 Fixing #176. You can now do duplicate UIDs (or GIDs on most platforms) with :allowdupe.
2091edd Fixing #200. I basically just moved the daemonize statement before most other code. This makes things a little less nice when starting puppetd manually, since it might still fail and the user would not know without checking logs, but it is the only real option at this point.
76aec7c Fixing #202. Just bumped the log level to notice and changed the wording slightly
3cc3f66 Applied patch in #203
7228413 Fixing #201; users now autorequire extra groups
ebd28e8 moving plugin evaluation into a begin/rescue block
8e25115 Fixing puppetdoc's output
041c07b adding all mailing lists to index
19e411b removing message about the statefile not existing
09e0792 more doc modifications
c9640a7 Updating some docs, and renaming configuration reference page
40e2db3 All docs moved over now, and the real index page exists again
813d1c9 committing docs before i move all of them into a separate subdirectory
f02f6f7 Adding Solaris SMF manifests and methods
0b90333 Fixing #191. I was only testing for parsed cron instances, not for created ones.
aba3d65 Fixing bug in scope/interpreter where nodes found in ldap must have parent nodes. The problem was that the the scope was using the presence of a parent node to determine whether a node was found. Instead I added a flag in the arguments to "Scope#evaluate" to mark nodes as found.
01c8808 Adding a unit test for plain "nodesearch"
08650c1 fixing html markup
e74b8af fixing html markup
8273f21 fixing index page in the docs
b23b797 Updated to version 0.18.3
fe8ce26 Updated to version 0.18.3
a984a90 Updated to version 0.18.3
0.18.3
======
04a99e7 Adding release tag REL_0_18_3
8063ab1 Fixing filebucket server so that paths are not added multiple times
1ab4594 Adding tests for previous config bugfixes, and updating changelog
a6cc3e4 Fixing reports so that multiple host report directories can be created. There was a config conflict before.
73556a8 Fixing templating so it immediately fails when a variable is not found, as opposed to passing up the method_missing heirarchy, which was causing a nasty memory leak and some kind of weird, long-running search
1ec1b99 Fixing weird case involving interpolating config params in a URL
8f28c6f Fixing weird cases where configs might think non-files could be files
b116ac7 adding sysidcfg param to zones
a3849d7 Fixing templating bug that can result in what looks like an infinite loop, and changing default timeout to 2 minutes instead of 30 seconds
86a92de Reducing log level of missing file
7139901 Fixing error when template does not exist
3fbd06a Fixing misstated error name ExecutionError in blastwave packaging support
829c754 Fixing reports server so it refers to the main server
0acebb1 Default the passno to 2, defaulting to 0 is a bad idea since it disables fsck
44c54fc changing plugin owner to root
9be1e0b changing default plugin host to be $server
a4a04fe adding rake targets
0c96fc6 Doc change: explain what the values for ensure do
67dab0e adding another state that is equivalent to "stopped" for smf services
8a10b08 Adding the newly generated docs
e57f6e7 More documentation updates. I think this is sufficient for replacement of the plone site.
9b7f428 Fixing rakefile so it generates docs from markdown, and adding big-picture.page to the menu
70877fb removing faq.rst file
fefe1c5 Updates; remove mention of patches from specfile completely
f42666c updating changelog for 0.18.2
eff8d6e Accepting the patch from #190.
6b281ed removing cf2puppet from rpm
bd9fd8d Updated to version 0.18.2
71036e7 Updated to version 0.18.2
aa87963 Updated to version 0.18.2
0.18.2
======
3e5907d Adding release tag REL_0_18_2
afe84ec small fixes towards 0.18.2
e17f4ed adding host information to reports and tagmail report
1503b42 renaming tagmail config file
c3a8d45 Redoing reporting a bit, so that reports are now defined as methods. If they are not methods, then they cannot use return, which makes things a bit uglier.
3c22bc9 fixing some smallish bugs in preparation for 0.18.2
73569d0 fixing a small but important typo, and adding sunfreeware as a dupe of blastwave packages
87ce8ed Adding blastwave packaging, and doing some fixes on gem and sun packaging
2e78526 Some updates resulting from trying to track down a segfault introduced when I upgraded to 1.8.4-5 in Debian. I never found the segfault and had ot downgrade to 1.8.4-1. I expect it will not be encountered in real life, only in testing.
e57c513 Adding Ruby Gem support to packaging
25cf31b Adding minimal update checking for templates. It will only check the templates that have been parsed in this process, but it is better than nothing.
c899e23 documentation updates
c1e0bc6 More report and metrics manipulations. This should be the last of it.
34e779f Significantly redoing metrics. There are now no class variables for metrics, nor no class methods for it.
24f07e0 committing tests for previous changes
dea7e24 oops; adding transaction report class
70143d2 Trying to merge metrics and reports. There is now a separate transaction report class, and it works throughout the previously existing system. I will next go through trying to make a metric report that graphs the metrics in rrd.
795ec70 adding a "thinmark" method, which does a simple benchmark with no logging
19b5d30 Accepting patch #189, although I am just putting the environment statement in the main part of the class, since there are two apt commands
ff6562f Fixing #133. Added a "notify" and a "before" metaparam; notify is the opposite of subscribe, and before is the opposite of require.
9bb9e10 Fix a small bug in mount where parsing fails if dump and pass are missing (they are optional on Linux) Revamp the tests slightly so that they parse fstabs provided in svn rather than relying on the fstab on the system the test is running on.
f792a02 Moving the template handling into a simple wrapper object so templates don't have full access to the scope object without some real hacking.
8b60619 adding some tests for the template function
a6dc7f2 Adding initial template support. It is just a function, and a method_missing method on Scope.
e47a987 First commit of complete reporting support. The only existing report at this point is the tagmail report. I expect reporting to get significantly modified from here, but it is a good start.
ea91896 changing the #!ruby lines to #!env ruby
1677594 Adding reporting client, server, and tests. At this point, the server just stores the report in a file as YAML.
56a2845 Adding report collection to both statechange and transaction.
d275489 Updated to version 0.18.1
35ef37b Updated to version 0.18.1
427831c Updated to version 0.18.1
0.18.1
======
1cc2712 Adding release tag REL_0_18_1
7adafc6 For each type, adding a "new<type>" method to Puppet::Type, so instead of typing Puppet::Type.type(:file).create(...) you can now type Puppet::Type.newfile(...).
e8c57ae Cleaning up plugin handling a bit -- they can now be colon-separated paths, and I added a separate "plugindest" setting for determining where plugins are synchronized to. The major feature I added, though, is that Puppet::Type now knows how to load plugins, and treats :pluginpath as a search path for plugins.
d98ab11 Fixing zone tests
4985d8f adding message about retrieving plugins
dec4053 updating CHANGELOG for 0.18.1
5471211 Moving the timer monitoring to after the services are created (because they actually create the timers), and adding a sleep statement to give the threads enough time to create the timers.
ad1396d Fixing backgrounding in puppetrun; I had the bit flipped between the client and the server, such that setting --foreground caused the clients to go into the background.
5be3c10 Converting Parameter#proxymethods from using eval to using define_method
b2304f1 Making sure fail function converts everything to strings
c363af0 Adding "fail" function, which will raise a ParseError if it is encountered.
57a5a71 Catching errors thrown during object evaluation and marking the objects as failed.
506269f adding hooks for ignoring files in the plugins directory, and defaulting to ignoring cvs and svn files
7685957 removing that info message, duh; it produces a lot of spurious output during parsing
c886194 Adding info messages about errors loading plugins
772ea91 Adding support for special freebsd @schedule crap. Also making sure that cron listing works as expected.
08f113c switching puts to print, so the carriage returns are always included in the messages
bdd1761 Largely refactored how log destinations are handled, although it is not exposed externally. Most of this work is related to handling a large number of small problems related to threading.
73a4bcc Changes to make puppet package more LSB compliant. Update specfile for very latest Fedora ruby packaging guidelines. lsb-config.patch only checked in for documentation purposes, since changes are part of this checkin.
0411f74 Fixing some more small problems in puppetrun
31c17e4 Adding more docs to puppetrun, and fixing bug that can cause hosts to get skipped
faab17b adding - to HUP in init scripts
bb5366f Updating init scripts to use HUP for restarting
3c5b10d Adding a "latest" test for rpms, since I have been told this is not working. It seems to be working fine, but the test cannot hurt.
5cf2a4d Adding HUP and USR1 hooks
4a71706 Fixing #178. I just added URI escaping and unescaping to file names.
f9a4d7a Fixing #175. The setpidfile setting was being ignored.
d812840 Fixing #182. Added a retry section to try reconnecting to ldap. Only one reconnect is attempted in a given search, and LDAP produces bad enough error messages that we reconnect regardless of the error thrown.
46824cd Setting pluginsync default to false, and (hopefully) fixing autosign problem when the file exists and autosign is set to true (#180). The problem was that the puppetmasterd script was redundantly setting autosign in the CA, when the CA already knows how to deal with autosigning, which meant that autosign was being set before the config was parsed. Thus, there was no bug when autosign was set on the command line but there was when it was set in the config.
15905bd Fixing broken symlink behaviour mentioned on the list
0a1e847 Adding plugins and plugin management. The Master Client will now automatically download plugins if pluginsync is enabled, and they will be automatically sourced.
edabf9e documentation updates
4df2583 More documentation changes.
8ad2008 adding id tags to all of the docs
58826ca further work on converting from rst to markdown
b6a52b7 further work on converting from rst to markdown
3772aaf further work on converting from rst to markdown
e891ffb updating some docs and puppetdoc in preparation for a move to webgen instead of plone
90e8ad8 removing the old rst index file
644fd4e updating docs to work with webgen
f090760 Fixing my autorequire fix; oops
084a31d fixing autorequire message to include the object type
bdb9110b Delete entries from the config file if their should is 'absent'
883921c Test that setting a state to 'absent' really deletes it from the config
e841d8f Adding test and fix for empty execs being ignored
6ef3d88 fixing interpreter to initialize ldap in the nodesearch_ldap method, which really only matters for testing (since it is already being inited in the nodesearch method
662fcaf making links even if the target does not exist
0ab461b Updated to version 0.18.0
daac8cf Updated to version 0.18.0
8779dbe Updated to version 0.18.0
0.18.0
======
4a5df83 Adding release tag REL_0_18_0
a6f9bf4 Adding release tag REL_0_18_0
ae3dba9 updating changelog for 0.18.0
ead6b17 updating documentation for sshkey
20b0a6d fixing transaction tests to just warn when the user is not in more than one group, rather than failing.
be92c44 Setting options and the facility for syslog
9a1b9ec Fixing some logging issues with puppetmasterd when daemonized with verbose mode on, and fixing ldap support when daemonizing
c1dd0a1 Changing statechange noop message so it's a bit clearer
603a53c Just logging host failures, not exiting
c1f0fb7 Adding fqdn, an --all flag, and --test mode to puppetrun
f86357d adding namespaceauth and --listen docs to puppetrun
97c7342 Adding fixes for solaris zones
02d397c abstracting out ldap connections so that there is a single method responsible for all of them and a single connection can be shared in all classes if necessary
076e888 adding ssl usage to puppetrun
15da00c Fixing ldap usage when ldap libs are not available
4a5b886 removing extraneous debugging
7ed5560 Fixing installer; it somehow got broken with recent DESTDIR fixes
fd8e080 Fixing #173. At this point, I am just calling both "--add" and "on", or "--del" and "off". This should probably be broken up into other states, but....
ef163ba fixing parallelization to match the docs
1dfd554 Fixing packaging to deal with the fact that yum exits with 0 exit code even when it is told to install a non-existent package.
df340d6 Correcting puppetrun docs and fixing a test so it works with older versions of facter
b4b3c27 Adding support for default nodes as requested in #136.
ba4071c changing puppetclient schema to descend from top instead of iphost
07e0d59 Fixing #169. Tags are ignored during config.
c380bfe Fixing the main bug reported on the list today relating to file sourcing truncating linked-to files.
90762c5 adding noop marker as requested
ec0609d A round of bug-fixing in preparation for the next release.
9af5d69 adding nothing test to zone tests
a6122e8 Fixing ldap node lookup. The test was set up badly, in that it did not actually provide a way to enable ldap node support, even though there was a config option that should have worked. All works now.
360a405 turning on output flushing
edfaf6e Adding support for following referrals
555e1b8 Fixing #135. I was setting the object to the result of an include? test, instead of just "obj = ary[val]", so all but the first bucket-backed files were getting errors.
8ceb1f3 Found a bug where single-value selectors can fail on a second compile. Fixed it, and am now compiling all snippets twice.
4ca7ece modifying rakefile to specify the package hosts; they were previously hard-coded in the build library
09d2cd0 Fixing #168. Reworked the regex to allow matching TLDs.
1fc4ec3 Fixing #167. Started with the submitted patch and made a few more modifications, and added a regression test.
c90d0b1 Fixing #157. Objects are no longer allowed to be their own parents, and there are checks in both directions to stop this.
7c358df Fixing #166. Function names are no longer reserved words.
e73f2d4 Fixing #158. I did not add a force option, since I always back files up before I replace them.
4266f64 adding faq to docs
d6d05d4 Fixing #154. Basically just accepted the patch that fixes master.rb and added a test case for it.
1cef8f5 Applied patch from #153.
2257d6f Fixing #155. It is now valid to have arrays with no values, although you will still likely get erratic behaviour elsewhere in the system, depending on what you do with this.
0e52409 Fixing #159 -- packages now have a default value for ensure (:installed).
3758bdb adding rakefile for the docs
1a93e6d copying all documentation from the plone site
d84827e Committing largely complete Solaris zone support. I still need to add static filesystem support, but everything else should work.
73c5c58 removing one of the stack traces from error output
95f273e Fixing #163. Strings can now correctly escape dollar signs.
a3ed629 Intermediate commit; most of the core zone functions now work, and some of the configuration functions work.
81ce66a Fixing node tests to handle comma separation
011e811 temporary commit so i can transfer my testing to a faster, sparc box
add6b80 Fixing #160. Fixing the error in Puppet::Type#[]= and scope.newobject
76ff83d Fixing #161. Basically, AST::ObjectDef now catches when users specify a name as a parameter instead of the name before the colon and modify the results accordingly. This catches this kind of problem, and the normal name handling picks up everything else.
b08816b Fixing #162. Node names must now be comma-separated.
2fcbc7f Adding an "execute" method to Puppet::Util, and including the module in element.rb
354b945 adding zone management stub; switching to my home vm for testing
98ad43a fixing destdir in installer, and adding solaris conf stuff
4cd3019 Did some work on making sure object removal actually works, thus stopping some potential memory leaks. Also explicitly removed objects in more places, again hopefully forestalling memory leaks.
45a9edb Reworking cron; adding many unit tests, and making it much more like a ParsedType (although still not quite the same). Too many of my tests were invalid; I think those are all fixed now, and it appears to work as desired.
3ab4a89 Small fix to include puppetrun in /usr/bin
62a0ff0 adding puppetrun to the red hat spec file
fda013a Updated to version 0.17.2
0.17.2
======
b742236 Adding release tag REL_0_17_2
3c15a28 updating changelog for 0.17.2
a08ca93 Fixing #138, all of it, I think. Environment settings are now allowed, although all bets are off in terms of parsing existing environment settings in crontabs.
69cf2fe Adding a small fix to cron tabs; they will at least parse tabs that have env settings in them, although you still cannot, at this point, set them.
0381cc1 slight ldap fixes in puppetrun
d55adda First version of puppetrun. It seems to mostly work, but I need to test it with greater parallelization.
5671ce8 Added the last of the tests for the runner, along with the necessary work in puppetd to be able to start it.
b3ea53c Adding a lot of structure to puppet.rb to make it easier to manage multiple objects in a single process, including making it easy to add threads. Added some testing for all of that.
93771b7 fixing user[:groups] management when the user is absent
738698c Updated to version 0.17.1
0.17.1
======
f028420 Adding release tag REL_0_17_1
ed9adf5 updating changelog for 0.17.1 and 0.17.0
9b5de11 Allowing empty files
5382118 Fixing #146. I think I mostly just fixed the error message; I do not think there was another bug there.
89ce72f fixing stupid debian rails mistake
dc3a6d5 Making sure file recursion works for all valid inputs
373afa3 updating version on spec file
4296b02 Updated to version 0.17.0
0.17.0
======
559f4b0 Adding release tag REL_0_17_0
3be0f95 Wrapping the host storage into a transaction. It might have a slight performance improvement, but, ah, unlikely.
9d6166e adding a test to make sure that defaults get taken up by components
a0bcf5a Adding code to try for the rails gem if the library cannot be found normally, and adding some protections in case there are problems
122e2bc only performing collection tests if activerecord is available
8f14c3f failing more intelligently in init if ActiveRecord is missing
def5175 Making sure yum fails on unknown packages
2e9f1c4 removing extraneous logging
d9fdd8e I believe I have finalized export/collection support. I still want to go through all of the code and s/collectable/exported/g (thanks to womble for that term).
ba57dff I had to redo how the scopes handled collectable objects (which I will soon change to being called "exported objects"). All seems to work now, though.
22e70f0 Made a *huge* performance difference in storing hosts -- down from about 25 seconds per host to about 5 seconds on my machine. I will almost definitely still use forking or something to make this not affect the clients
637cc71 I appear to have object collection working, incredibly. This commit does the collection from the database up to adding the objects to the current scope, which is what sends it to the client.
9e9ef1a The "collectable" syntax now works end-to-end -- the parser correctly recognizes it, the AST objects retain the settings, the scopes do the right conversion, the interpreter stores them all in the database, and then it strips the collectable objects out before sending the object list to the client
8ed666a adding a few more fields to the host table
5863a03 Adding initial rails support. One can now store host configurations using ActiveRecord into a database (I have only tested sqlite3). Tomorrow will be the grammars used to retrieve those records for object collection.
0819e35 Adding some small changes towards fixing #140 and #83, but this work needs to take a back seat to object collection, so i will come back to it later.
678e142 Fixing #141. It was a problem related to the recent parser changes I made.
578cf7e removing some extraneous logging
a2a4dd5 Updating doc system to add the list of valid values to the doc string, and tweaking a few docs.
710bf0d Slight modifications to package parsing on *bsd. It should be better about catching the version number, and unparseable lines are now just warnings, not errors.
9e77e7a It is just a snippet test, and thus a functional test but not a coverage test, but definition overrides officially work. This was important because it enables definitions to be collectable, which was not possible without the mechanism that enables this.
513b87a Preliminary commit of the first phase of the parser redesign. The biggest difference is that overrides should now work for definitions (although i do not yet have a test case -- i will add one on the next commit). The way this is implemented is by having scopes translate themselves at eval time, but in two phases -- the first phase does the overrides, and the second phase does the evaluation of definitions and classes.
fe16f83 making a test to verify that the functionality womble is looking for now works
bb60cab Making trigger logs much clearer -- you now get info logs indicating how many dependencies changed, and debug logs indicating what those dependencies are
88c3f7c Changing how events work. Events are now responded to inline, while an object is being applied.
7b7ac18 Changing default for pattern to include the binary if it is included
f0aeaec require the very latest facter to avoid problems because facter changed iphostnumber to ipaddress
e06c661 Small bug fixes
58cfd1e Fixing the problem that lutter ran into; the issue seems to be that Facter could not find the ipaddress on the server.
18de804 fixing log messages
a7fadbe fixing log messages
43fdd89 Updated to version 0.16.5
0.16.5
======
054cc77 Adding release tag REL_0_16_5
64a58e4 updating changelog for 0.16.5
44f1579 Fixing a stupid bug i managed to introduce in 0.16.2 (probably) involving importing files with classes in them. This is a better solution than what I had before the bug, anyway. Also, some documentation fixes.
a9df49d Fixing some naming problems with crons, and adding appropriate tests
e8c912d Allowing dashes in class names, although grammar rules restrict it from working anywhere except node names or in tag(). They are valid in host names, and many companies have them in the host names; in fact, this fix is for a company with this exact problem -- they cannot use puppet with their nodes because all their hosts have dashes in the host names.
37d2850 Switching to just using "preserve" for file copying in file#handlebackups
8b0481c Updated to version 0.16.4
0.16.4
======
66b8bfd Adding release tag REL_0_16_4
4b84ca9 updating changelog for 0.16.4
b67a19b Fixing #132, which involved creating a separate CA client and using it to retrieve the certificates. There was more work to do because of the weird client/daemon/server heirarchy.
a435d07 Updated to version 0.16.3
0.16.3
======
ab17248 Adding release tag REL_0_16_3
3f08155 updating changelog
2faa447 Bug fixes from OS X for 0.16.3
5e246ab Hopefully final bug fixes in preparation for 0.16.3
cc5ce34 Fixing tests looking for pmap
a1574a5 Fixing TransObject#to_type so that it does not modify the object being converted
7825f49 Changing test for service paths; only testing if it is a directory if it is present.
65f6656 Added some code that could be used later to make sure the user and mode are also copied on backups.
0ad65e9 Adding a check to make sure the mode is copied over.
84db91e Fixing the docs a bit for the executables, adding a --daemonize option to puppetd and puppetmasterd so they can still be daemonized with debugging or verbosity enabled, and causing puppetd to fail to start if a PID file exists (and not setting a pid file if running with --onetime enabled).
12c122c Puppetd now has an option for listening -- just run the --listen option, and it will start up with a pelement server. It will fail to start if the authconfig file (defaulting to /etc/puppet/namespaceauth.conf) is missing, since it defaults to access at this point.
047e63f Making file copying significantly faster -- i found an extra call to "describe" in file sources and an extra read/checksumming of the dest file
94caa8a Fixing #128. md5lite was being used instead of full md5. At this point, md5lite cannot be used for source copies.
bcfc469 Adding in all of the patches necessary to make a prototype rails interface to puppet nodes work. The biggest change is that there is now a separate NetworkClient class for every Client subclass, because otherwise you get namespace collisions. Most everything other change is a relatively minor patch.
9539dbb Adding in all of the patches necessary to make a prototype rails interface to puppet nodes work. The biggest change is that there is now a separate NetworkClient class for every Client subclass, because otherwise you get namespace collisions. Most everything other change is a relatively minor patch.
9b627cd Trying to track down the bugs reported this morning, so I added some more test cases. I did find a bug in the filebuckets, fixed it, and added a test case.
0.16.2
======
13c91ea Adding release tag REL_0_16_2
003e897 updating changelog for 0.16.1 and 0.16.2
a78bf1e adding "clean" mode to puppetca
bda8e52 This should have been in 0.16.1. Moving the "setclass" statements around so that classes are set before a given class's code is evaluated, so it can be tested within the code, within node defs, components, or classes.
0.16.1
======
77bf69c Adding release tag REL_0_16_1
bff9463 Adding sum type to the retrieved sum if it is not already there. This provides backwards compatibility for existing cache files.
feff317 removing unnecessary debugging
baa412c Adding "defined" functino to puppet, so you can now test whether a given class or definition is defined.
46ce36b Creating a simplistic, generic function framework in the parser, so it is now very easy to add new functions. There is a pretty crappy, hardwired distinction between functions that return values and those that do not, but I do not see a good way around it right now. Functions are also currently responsible for handling their own arity, although I have plans for fixing that.
ccc4d95 Modifying non-existent-package test to make sure syncing fails, and modified ports package type to check the error output instead of the return code, because the portinstall command returns 0 even on failure.
e64bd22 Fix ownership on server files (trac #122) Change ownership on /var/puppet
9fe0b37 removing patch from red hat spec file
0.16.0
======
2492328 Adding release tag REL_0_16_0
a0b4553 Final commit before 0.16.0
63cdc6c making corrections to pass tests on freebsd
d9fd002 Go some work started on developing authorization, but I have made little progress. I might wait on this for the next point release.
4a029d9 pelement listing now works
d91b7df Added a list class method to just about all types, and it seems to actually work for everyone. Now just to add a list method to the pelement server.
a9b67cc Adding a "list" class method to most types, and using it in the tests for the pelement server to verify that objects can be copied using it. I expect that most package types other than apt/dpkg are not yet working with these tests.
e24a299 A simple first version of an object (called "pelement") server is now in place. There is not yet a client, and the tests are pretty simple so far -- only files have been tested yet. I had to make a significant number of modifications to the file object in order to get this all to work, and one of the big changes I made is to the internals of the checksum state.
ac04981 Actually adding the ports file that provides freebsd port support
3f9e918 Adding freebsd ports support
c83bc91 fixing test to know that i skipped alerts
538bc0c Fixing service stopping; I had the %x{} command quoted
6f66011 Fixin #102. The syslog name is now either the name if the process (if that name includes "puppet" in it) or "puppet-" and the name of the process. Also removing the "alert" test messages, since they result in a wall.
d2634ba Fixing #118; the hash is now always 8 hex characters, 0-padded. Also changed the CA cert name to the FQDN of the host serving the CA, rather than "CAcert".
449f662 Fix handling of run files so services can't be started twice (reported with patch by soul916 at gmail.com)
21584a9 Don't create empty log files in %post (based on report by soul916 at gmail.com)
a564e49 Changing the log level of the "defaulting to base service type" message
d56870c Fixing a bunch of small bugs, mostly found by testing on solaris, and added a check to the test system that points out memory growth
0478f78 changing set to tag in the tests
26f18a2 Fixing puppetca so it does not call chuser; instead, it is configured to create all of the files with the correct permissions and ownership (using Config#write and Config#writesub).
c3961ae Adding doc generation for exe arguments
133ad87 Oops, typo in client/master.rb
689dbf4 Adding --test option to puppetd (it enables --onetime, --no-usecacheonfailure, and --verbose), and modifying the docs a bit.
cd9ea80 Adding locking to the master client, so that only one copy of puppetd will be running. This should make it safe to run puppetd manually while it is also running normally.
71793fb Changing "set" to "tag"
f522a7e Adding the host name as a tag (stripped of the domain name)
373fb3b Modifying "setclass" on scope to check the validity of class names, now that "set" can be used to set them manually, and added a test for it.
8df349c Fixing the language side of #109. Added a "set" keyword.
de0d1dd Adding a few informative facts on the server side: serverversion, servername, serverip. And only printing the parse time in the interpreter if it is not a local connection.
bca4f5e Adding the puppet client version to the fact list as "clientversion"
9f92a3d Adding the puppet client version to the fact list as "clientversion"
4d75041 Adding a "tag" metaparam
201aa02 Adding simple benchmarking, and using it in a few of the more obvious places. Also, fixed a bug in Scope#gennode.
0507486 Fixing #117. If only one value was provided, then it was not placed in an array, yet AST::Selector expected an array. The grammar needs to have some abstraction added or something, because I seem to have encountered this bug for every ast type that supports arrays internally.
ae4b12e Revamp the yumrepo type to deal with repositories defined anywhere in yum's
8df6e84 another small mount fix; this time, for stupid os x
88dd992 committing version changes
d10a638 Committing an important fix to mounts; since i am sure no one has downloaded 0.15.3, i am just going to rerelease 0.15.3 with this fix in it
0.15.3
======
abf09dc Adding release tag REL_0_15_3
83d5236 updating changelog for 0.15.3; I need these exec fixes for my client
e5be7d3 Adding autoloading for types and service types, also.
fcce820 Okay, last one, hopefully. Modifying checks to support arrays.
37a4a55 And, one more time. My test for the last bug did not actually retrieve, so it did not enounter the problem, and i had also forgotten to add the "check" boolean to the checks. Hopefully this will be the end of exec bugs for the day.
4ab74ce Fixing checks so that they can run even if the set cwd does not exist
50ffa7f adding a bit of debugging
1e4abae moving cwd existence check into "sync" instead of "validate"
7dae24f Fixing a small bug in type.rb that ignored false values (instead of nil values), another small bug in value setting that resulted in the file and line appearing twice in errors, and added validation to all of the checks in :exec (along with testing for all of it).
b0edb35 removing patch from spec file
0.15.2
======
feab8d9 Adding release tag REL_0_15_2
122cf58 updating changelog in preparation for 0.15.2
013cfd2 Adding darwinport type.
9697354 differentiating openbsd from freebsd, adding freebsd, and autoloading package types instead of manually loading them
f540ec8 fixing a couple small bugs in doc generation
668342e fixing Config#mkdir test to not check gid on any BSD, since they appear to ignore egid when making directories or files
572648e adding deprecation notice
84693d6 adding some docs
2b27545 renaming; i hate bsd
ee65279 Fixing #103. There are now no such things as node scopes; the entire tree is evaluated on every node connection, and node facts are set at the top-level scope. This includes,um, the code; the last commit was accidentally just test changes.
c3c413e Fixing #103. There are now no such things as node scopes; the entire tree is evaluated on every node connection, and node facts are set at the top-level scope.
a0728c0 removing the parser dir
8db837a getting rid of the parser tree, and moving everything into the language dir
d4a5b48 loading yumrepo in the test, since it is not being loaded in the main code
e8c0471 Fixing a couple of bugs in preparation for 0.15.2; mostly they were in the testing system and resulted from changing :File to :Manifest in server/master
9230289 Disable yumrepo type since it won't work with the FC5 repo files
b5c759b Fixing #108
d8b4b0d adding -e ability to puppet executable
c0a9e5f Change how names for nodes are specified: the 'node' keyword can be followed by a NAME or by single quoted text, i.e. fully qualified names for nodes must be enclosed in single quotes
5d42cd5 Fixing the class file to actually store class names, not object ids. Also added tests to make sure it all stays that way.
c8be52b Finally! We now have mount support in OS X. Ouch.
3327dc8 Adding netinfo type and some tests
97d5ab6 eliminating some debugging, and removing a small redundancy bug in nameserver.rb
35e65de Fixing authstore to use an array for ordering, rather than a hash, duh.
c3b7d62 Bugfixes for OS X. I had to do some shenanigans on type/file/ensure.rb -- it was testing whether the parent dir was writeable on object creation, and if not it was not setting ownership and such, so i added some post-creation checks that will fix ownership if it was not set correctly at creation time.
caaa331 changing ssldir perms to 771, so non-root users can write to subdirs if they have permissions
a791d98 Fixing a logging bug that apparently resulted from logging changes a while ago.
4daf2c1 Adding apple package support, but it is very limited -- packages can only be installed, not upgraded or removed.
f37154e making a small change to the test, so failures are more informative
7c7c223 Added a test for Type#remove, and fixed the method so it actually works. I was missing every other object, because i was iterating over the array being modified. This caused the Config stuff to often fail, because objects were not correctly being removed. All fixed now, though.
72774bb adding mkdir equivalent of Config#write
e6f9163 Adding a "write" method to config objects, so that files can be easily written with the correct owner, group, and modes
0f15e8c fixing a bug that appeared somehow in port.rb, and adding mount and sshkey to the types being autoloaded
0eae739 renaming filesystem to mount
48d7fd6 Adding filesystem support, and modifying parsedtypes a bit to fix a bug where non-instance lines were being duplicated
c7ae839 Manifests can now specify node names with fully qualified domain names, too.
9b1e8d5 Accept a single file as a test to run in addition to a directory
bdc819b Remove unused should method; add more yum parameters to the type
a9fdf9d Disbale running puppetmaster as puppet until we've sorted out which files
1365103 New yumrepo type for basic management of the yum configuration of
6d4e46c Adding os x group management support
791e4da Committing support for group membership management. Currently only works on Linuxes and other OSes that use "useradd" that support -G.
932fd03 commiting package test fix that i thought i committed ages ago
28602a6 Simplified as yum install can be used for both install and update
0.15.1
======
437ee64 Adding release tag REL_0_15_1
95b762b updating changelog for 0.15.1
fc98ab0 Fixing #100. I just added a bit of a hack to configuration parsing -- if a group is specified in a section that matches the name of the process, then it is assumed to be the group that the process should run as. The problem is that we are reusing the term "group" here for both the run-group and the file-group. Oh well.
5dcf303 Using differents commands with yum depending on whether the package is currently installed or not.
7e908a5 Removing ruby as a dependency, since too many packaging systems will have installed it differently
73d051f Fixing service enable/disable on solaris 10, and fixing some problems with the tests
5e86634 Converted everything over for Puppet. The Rakefile is, um, a *lot* shorter. :)
8416f21 This version appears to work well with epm stuff
fc68910 removing dos EOL chars
086050d Minor changes from Fedora Extras review
72f1e8a Don't mark puppetmaster for start by default; makes rpmlint happier
6006a5a Add little snippet on passing an additional option during system boot, but leave it commented out
6af21e5 adding sbin directory
c74fd81 Committing the EPM support. I am in the process of moving this to a common library that all of my projects can use.
271a8d2 Adding EPM package building.
805b32b Updated to version 0.15.0
0.15.0
======
1409cd6 Adding release tag REL_0_15_0
92e3c1e Updating changelog for 0.15.0.
ec7d46e fixing small bug in the test code when there are no packages to test
f851be7 Adding upgrade ability to sun packages. Currently it removes the old package and installs the new one.
4d1c221 Changing the way the hosttest output is handled
29ec706 adding some extra info to the ldap test
76474ed Fixing fileserver tests; apparently they were still broken from when i changed the fileserving interface to handle links.
d7a75c5 Fixing small bug in symlink recursion
f2c8218 Fixing #94. When "ensure" is synced, it syncs the "enable" state at the same time.
aed1f11 Ooops, did not save the docs before committing.
5a47afd Fixing #98. Filebuckets now work throughout the system, and the puppetmasterd creates one by default. I have also updated the :backup docs, adding an example.
1b11697 reducing the log level for checksum warning about symlinks, really this time
454247f reducing the log level for checksum warning about symlinks
08b36cc Adding enhancement #92. Unfortunately, I was not able to write test code to consistently verify that this works, because there is too much caching internally. I verified it personally using my own configurations, but that is as good as I could do. This indicates that caching should probably be rethought, so that there is some kind of global "do not cache anything" mechanism.
97913d4 Fixing bug related to recursion testing
c6230dd Fixing rpms so they will automatically upgrade when you point Puppet to a new package file
caa3d43 fixing broken test from my previous change
fa9aab6 Fixing #82. You can now specify comma-separated tags to get run in puppet or puppetd: puppetd --onetime --tags "enhost, facter" -v. You cannot specify classes explicitly, but tags map well to classes and have the benefit of being more generic.
414d364 Supporting rpm installs when a package source is specified
8728920 Using undefined variables is no longer an exception, it just returns an empty string.
4ee395b Fixing small bug when autorequire returns an object instead of a string
2cd67ad There was a critical design flaw in the link recursion work I did previously, and fixing it required a decently large reorganization. Everything is much, much cleaner now.
02f91fc Merging symlinks back into files. Symlinks still exist but with a warning about deprecation. Fixes #93. Also the first time I have run any tests on OS X, so there are some bug fixes related to that.
b336e7e Parameters and states can now register regexes as allowed values. Also, there are (finally) tests associated with params and states, although they should be much more comprehensive.
b6d829b Fixing #95. I had to redesign how events were triggered; the transaction now individually triggers each subscription, so that it has control in how to respond to failures. Eventually, this will lead the way to error handling within puppet, but for now, it just allows us to trigger every appropriate subscription, whether some have failed or not.
782f85a Creating a single, constistent method for writing files, instead of having :ensure, :content, and :source each have a slightly different mechanism. This method also makes sure that the owner, group, and mode are always set on file creation, so extra runs are not necessary to make it work.
2dbd7e1 Fixing #96. Defaults are now set when the object is passed out by the scope, rather than when the object is created. This is nice because it also moves awareness of the scope internals out of the AST object and back into the scope.
7756f9a Fixing #97. I was wrong about the object type I had, so I was calling "type" with no arguments, which was causing the bug.
2faff5d lowering the log output for nonexistent files
eb68633 Updated to version 0.14.1
0.14.1
======
ad0fa4b Adding release tag REL_0_14_1
cee0882 updating changelog for 0.14.1
2351cd7 making case statements not create a new scope
54fcdbd fixing some more logging issues
0549d03 Making some logging changes, and fixing a small bug in group management on missing files
72d747b Updated to version 0.14.0
0.14.0
======
783735c Adding release tag REL_0_14_0
b76004a Fixing yum listing bug, and caching the "latest" value so it is not asked for so many times; this fixes #90.
3c07deb Committing the last changes, for now, to handling links. You still cannot copy remote links, but you can either ignore or follow them. I do not think we will be able to copy remote links until I have merged symlinks and files to be the same object type again.
e9e88b0 Adding "links" parameter to files, and adding support for following or ignoring links to all of the states it can matter to. I still need to modify "source" so that it behaves correctly when managing links.
1099c4a removing group ownership of the state file; I realized that the server does not ever actually write to it.
5cca870 Switching from using "evaluate" to using "retrieve" when getting checksum values, since retrieval is sufficient, and evaluate keeps printing messages about changes.
17d4b23 Fixing logging in the fileserver so it is always obvious where the logs are originating, and fixing a bit of debugging elsewhere.
df74b62 fixing deprecation notice about services using "ensure" instead of "running"
8c0a07a removing extraneous debugging
be4d3fd fixing the mode of the yaml file
f2ea9b7 Supporting variables as the test value in both case statements and selectors.
1a3de8a renaming
549bc5f Only setting group or owner on config files when running as root
7ea739d logging config changes at debug, instead of the normal log level
aae9b2a Definitions now always create their own context, which means that they cannot override elements in the containing scopes.
451ba6d upgrading to warning the message about using a cached copy
faffd69 Updated to version 0.13.6
0.13.6
======
25614df Adding release tag REL_0_13_6
caa7f48 updating changelog for 0.13.6
343dd08 Fixing tests so they do not chmod /dev/null to 640 (stupid tests).
1a93c82 Fixing #68. After tons and tons and tons of work, everything successfully configures itself, and the --genmanifest argument should actually work. User and group creation will not necessarily work everywhere (in particular, Puppet uses dependencies to create the group first, but Fedora complains on user creation if the group already exists), but file and directory creation should. The only downside is that there is a decent amount of extra information printed on daemon startup, as the daemon checks its config; this could maybe be seen as a bonus, though, I guess.
95856ea Okay, Puppet is now almost entirely capable of configuring itself. I have not yet added the extra tests to puppetmasterd to make sure it can start as a normal user, and the executables still fail some simple tests because they are producing output when they start (I will get rid of the output), but overall things look pretty good.
ff1df8e Remove hte fedora-usermgmt stuff. As it turns out, it's not a Fedora Extras requirement to use it; so we'll just have useradd/groupadd allocate id's dynamically
2db2317 Adding metadata to defaults
179779d Changing the setdefaults input format somewhat. It is always a hash of some kind now.
4574928 Intermediate commit; setdefaults now accepts both hashes and arrays
6d8a1dc Fixing user and group management in the config handling.
65ed766 adding a connect log to the master server
32cbc59 Fixing #70. We now have user and group management on FreeBSD.
8b5f709 Fixing bug #60. Converting nodes to use types everywhere instead of names, and adding a localobjectable to keep track of what parameters have been defined locally.
eda9d95 Fixing #64; multiple class definitions in the same scope is now an error, although using the same class name in different scopes is not an error.
56116c2 Fixing bug #73; node names now appear only once in the path
c894eb2 Fixing bug #75, providing support for unnecessary end commas.
020499c Removing all of the autoname code
8c821c0 Mostly, this is a refactoring commit. There is one significant new feature,
37c10d1 Switching setclass to use object_ids instead of class names, and adding some comments.
c5d8680 Fixing scopes and AST so that definitions and classes are looked for in the scopes, instead of in a global list
ee818a9 Adding some debugging to list the states being changed when in debug mode
63afa37 Fixing nodes so that their paths are printed correctly
5056054 Removing timestamp debugging
b119a72 Fixing output when user/group are not found
772c7c8 Adding TERM to the signals being trapped
503ad38 Fixing bug #72, where trailing slashes break file sourcing
043fc33 adding commas to each line
d06cd3f removing the initial syslog dest setting
f6ca82b Updated to version 0.13.5
0.13.5
======
7ec2f82 Adding release tag REL_0_13_5
85e4d31 adding changelog for 0.13.5
2dffbee Adding redhat service type, to support enabling and disabling a service
7e5cc76 Fixing package types so you can specify the package type manually in a manifest
7806618 removing extra error statement
6e26a73 adding passwd converter
3aff15e Updated to version 0.13.4
0.13.4
======
d0b3f6c Adding release tag REL_0_13_4
1f05ad0 updating changelog for 0.13.4
cfb0e36 updates
89856ec Adding a bit more logging
82e02eb Fixing bug when creating containers with parents
31df227 Generate an error if the pattern for an import statement matches no file.
beef01c Properly figure out when updates are available. Previously, packages would neverbe updated because 'yum list foo' first prints the currently installed package. Now we use 'yum list updates foo'
3ac5cd9 Incorporate initial feedback from FE review
68aa302 Fix failure of test_importglobbing in test/parser/parser.rb
70d2379 Enable passing --parseonly from the command line
1ebb416 Adding single-quote syntactical element
1fdb962 Changing transactions to be one-stage instead of two, and changing most of the type classes to use "obj[:name]" instead of "obj.name" where appropriate, because "obj.name" might be a symbolic name (e.g., File.unlink(file.name) will not do what you want if file.name == "sshdconfig" but file[:path] == "/etc/ssh/sshd_config")
5f8d615 Removed some of the autorequire stuff from :exec because it created untenable require loops, and created a test case for some complicated exec + file recursion. The test case fails, and I want to have a clean committed repository before i mess much more in trying to fix it, which might actually not be possible.
6cc8157 Duh, removing some debugging
5f4335f Adding logoutput parameter to :exec
89702d8 Fixing symbolic naming bug where symbolic names were being ignored in some cases
7d15fe1 Updated to version 0.13.2
0.13.2
======
d0bbab5 Adding release tag REL_0_13_2
037b7ac Changed the parsedtype definition of exists(), and fixed a few smaller bugs. Last code commit before 0.13.2
6fe01ce Tracked down a few other bugs; everything now passes on debian in preparation for 0.13.2
8602932 Changing "answerfile" to "adminfile", adding "responsefile", and autorequiring both.
d1cd443 Fixing users so that they can use a group created by Puppet, and they also now autorequire that group. To do so, I modified Puppet::Util.gid, which required that I fix Puppet::Type#merge to support merging managed and umanaged objects, which required fixing a bug in Puppet::Type#managed?, and I also changed the ensure state to only default to a value, when the object is managed, which required that I change the defaults system to support default procs that do not return a value. In other words, lots of fixes for a smallish problem, but we are much better off now.
4df3468 Fixing the order of arguments when using admin files with sun packages
20b65e7 Some important bug fixes in the parsedtypes types; this all started from the submitted bug today, but I added :absent support to most params.
6cfee76 Committing the initial ldap support -- puppet can now look up node configurations in ldap. The test scripts currently only work on my home network.
1994263 Adding --enable/--disable locking for puppetd. You can now disable puppetd from running by creating a lock file, which is useful if you are testing a configuration and want puppetd not to run for a bit.
798b3be Adding a general "check" mechanism to :exec, so it is now terribly easy to define a new check to perform, converted :creates and :refreshonly to use that mechanism, and then added :onlyif and :unless as new checks. Also added any files they mention as autorequire files.
376725e Adding --loadclasses option to puppet
f098485 Correcting some path problems with symlink, and changing "target" state to "ensure"
3f15cb8 Fixing :target reference in pfile.rb
9508bd0 Correcting some path problems with symlink, and changing "target" state to "ensure"
64eafa8 Updated to version 0.13.1
0.13.1
======
ac8f3ae Adding release tag REL_0_13_1
a456c4d updating alias docs to pass ReST checks
1a05ed2 updating changelog and docs for :alias
89d37f6 Fixing some problems with cron tab management, and creating Puppet::Util.{u,g}id methods.
96388cb Fixing locking. It apparently was not working on OS X, and I was not syncronizing access in threads -- i assumed locks themselves were a sufficient sync point.
2be25d5 Making the language name a real alias. Now all objects in Puppet support specifying both the name and the namevar, or just a name and having the namevar set.
7f7b5c6 Change in how logging is defaulted: by default logs go to :syslog, unless the user explicitly gives at least one --logdest argument, in which case logs only go to the destinations the user gave.
b13b5ed Set the Release tag in the spec file to 1 when the version is changed
8c02ffd Adapt specfile to the fact that puppetmaster now automatically runs as user puppet. Add default config files that send logs to /var/log/puppet.
d629a80 Fix version in last changelog entry (makes rpmlint happy)
44071d0 Updated to version 0.13.0
0.13.0
======
4751fce Adding release tag REL_0_13_0
2cb5cb3 Updating changelog for 0.13.0
387db24 Adding answerfile support to sun pkgs.
2ce061a adding some documentation
cd7a637 removing errant warning
ccd0121 Fixing small problem where checksum retrieving did not look in the cache; this was only ever a problem in cases where checksums have no "should" value set, which is generally only the case on the fileserver, but it caused the fileserver to replace checksum values on every retrieval.
8eab733 Fixing the conflict between ensure and source. Ironically I had already made sure there was no conflict with "content", but I had forgotten "source".
adda8f0 Checksums now get correctly updated for both the ensure and content state when those states are used
8e4cf22 first bug fixed, where sources were not updating the checksum
58db0ef adding keyword
b03635b adding keyword
01072a8 replacing all occurences of "is_a?" in the parser with "instance_of?"
7ca3d3d Fixing bug that occurs with only one argument
195f2e9 wrapping all work in a single rescue clause
59992b5 adding initial ldap schema
0ba9d16 adding vim syntax stuff
a5d2404 Simple emacs mode for editing manifests; only does pretty colors right now
b98e65f There is now full support for configuration files, and the entire system has been modified to expect their new behaviour. I have not yet run the test across all test hosts, though.
f1ffc34 Configuration parameters now require (and have) descriptions, and a set of configuration parameters can be converted to a configuration file, a manifest, or a component. All I have to do now is integrate them into the executables.
6affe22 Committing both the finalization of the config code, plus all of the code necessary to get basic isomorphism from code to transportables and back. Mostly keyword and autoname stuff.
59c7b02 Fix snippet_componentmetaparams test
39d33ca Temporary commit; configs now can be converted to manifests
4ecfa7b Config files now seem to work, so I am ready to start incorporating them.
9114cbe committing test code for bug lutter found
d0436f1 Changes in lie with Fedora Extras requirements
56bf12b Fix processname tag
7d711c0 Allow passing of options with 'once'; fix processname tag, add config tag.
5590e3e a couple small changes; the most significant is the addition of a class-level "eachattr" method, to avoid all of the calls to attrclass and attrtype
30bf65f Fixing a significant performance bug in file recursion, and trying to help performance a bit in attribute handling on types
d5af359 Rewrote client init script since puppetd is now a proper demon.
6637bb6 Install bin/puppet into /usr/bin/puppet, not /usr/sbin/puppet, since normal users are supposed to be able to run it
931c159 Fix rpm packaging; include conf/ in tar ball, use conf files from tarball in spec file
4ada6af Fixing class storage -- it was not working for nodescopes
8db35ec Caching Time objects instead of numbers, since Bignum does not seem to be YAMLable
96b761b Fixing waitforcert so that the client can actually add the certs once it receives them
c7f9942 Adding release tag REL_0_12_0
cf82cfa Updated to version 0.12.0
0.12.0
======
2c35151 Adding 0.12.0 release tag
282cfcf Updated to version 0.12.0
1186069 Small mods to the packaging stuff
87904d3 RPM release is almost entirely there, it just needs to be integrated into release management
9b2afcb Fixing some logging issues
ae2575b Adding the event-loop stuff to the repository and switching to using it. Also, breaking many classes out into their own class files.
18e8e74 Committing most of the scheduling stuff. There is still a bit of work to do in terms of how puppetd interacts with scheduling, but the bulk of the work is done.
258114d Modifying docs, and adding scheduling hooks
0cb51f3 Fixing a small checksumming bug, reorganizing the client stuff a bit, and adding freshness checking for the configuration, so the config is recompiled every time nor is it downloaded unless it has been recompiled
f49b103 Updated to version 0.11.2
0.11.2
======
36f6e05 Adding release tag REL_0_11_2
c372a7d modding changelog for 0.11.2
6bab167 Made lots of small changes, mostly to help usability but also fixed a couple of key bugs
ed39be9 Fixing most types to allow no statements
3d458ef Updated to version 0.11.1
0.11.1
======
4bbb952 Adding release tag REL_0_11_1
c3df525 modifying changelog for 0.11.1
060b8bd Adding openbsd packaging support
ada3aee Fixing problems where objects were passing @parameters[:param] objects, instead of specifically retrieving the value
f36c7d1 Updated to version 0.11.0
0.11.0
======
1d2095b Adding release tag REL_0_11_0
3700b37 Adding an "ensure" state where appropriate, and significantly reworking the builtin docs.
92a780a Added "ensure" state to some classes, and added infrastructure for it to work elsewhere.
83906a2 Adding sshkey class plus tests, and adding "aggregatable" methods to type.rb
c67fb7b Adding another host to the test lists, adding some test data, and modifying how hosts parse
ad9d365 Adding a bit better logging and checking to file access
87b3bb1 Moving ast classes into separate files
1d4638a Added "finish" method, using it in Type.finalize, and moved autorequire and setdefaults to it.
a6e367e Changing host and port aliases to also create Puppet aliases. This involved futzing around with the attr* methods in Type.rb, to make sure states are always checked first.
c8b6401 Fixing up the parsedtypes, fixing Type.eachtype to ignore structure types
bbf2c54 Adding /etc/services support
0c17149 finalizing cron and host management, hopefully
df6ff9e Abstracting host support so it should easily support other types
5309479 Abstracting host support so it should easily support other types
3f15e38 Adding initial host support. I can promise that this will soon (hopefully almost immediately) be abstracted to make it easy to add new file types.
f420135 Converting transport format to YAML instead of Marshal, and caching the file in a YAML format, also. This required a significant rework of both Transportable classes. Lastly, I am also now caching the list of classes in a class file in /etc/puppet.
8aa331d Adding further notes about openssl
4092a78 Fixed a couple of warnings, fixed a critical bug having to do with case statements (where there is only one listed option), and did a couple of other cleanups.
c5782df Adding "content" state to files, and string interpolation handles escaped whitespace characters.
b0ea70d Adding 0.10.2 stuff
6b6c49b Updated to version 0.10.2
0.10.2
======
f7211e3 Adding release tag REL_0_10_2
1cf05ff Services now work at least somewhat on solaris 10, and service testing is pretty different.
4c4f530 Fixing dependencies to not depend on file order. Added Puppet::Type.{finalize,mkdepends,builddepends}
21410a2 Fixing documentation generation, and fixing aliasing so that objects can safely be aliased to themselves
29b00fb Adding "alias" metaparam; you can now create as many aliases as you want for any of your objects.
411ab22 Adding autorequire to files, and added the cwd to the list of files to be required for exec. Also, exec catches inline files and autorequires them.
97fb6c9 Adding generic autorequire mechanism, and thus removing it from exec
11b5463 Adding a requires? method to types, fixed the bug where exec fail when Puppet is downloading the script to execute, and modified "exec" to autorequire any managed scripts
932b783 Updated to version 0.10.1
0.10.1
======
dc012b1 adding 0.10.1 release tag
854f16b modifying changelog for 0.10.1
89d0050 Adding Sun support and fixing the last remaining bugs related to the daemon changes i just made
45ac512 Supporting puppetmasterd running as a non-root user, and doing some basic message cleanup
45c91e3 Adding some extra feedback
7616289 Fixing init path default
e5ac196 Adding some consistencies to the executable tests. All exe tests now pass on OpenBSD, although the only real problem was that ruby was in /usr/local/bin.
dccafc7 Updating Puppet to work with the new Facter
b7974b5 Updated to version 0.10.0
0.10.0
======
8458a0d Adding 0.10.0 release tag
48031dd Describing 0.10.0 changes
48ba030 Modifying hosttest
f00a7db All tests pass now, although the lack of service support on os x means that i have now disabled services on it
4275227 updates
cbf10c5 Merging changes from the head of the rework1 branch, r 784
23f982e Undoing the merge that happened in 785
1d73973 Merging in refactoring from version 774 into version 784
3ba696d updates
cb51688 converting waitforcert to an int
cedefab adding ftools require statement to install.rb
7594411 Adding a host test task
86cc467 renaming the module, so it behaves better with people's svn clients
2994cbc fixing rakefile
3b9c9be Updated to version 0.9.4
6af79cc Removing tests from the list of tasks
e611f2c adding some better readme stuff
b532a30 adding things to the change log, and modifying the order of the steps
584652c Disabling most documentation generation except for the API docs, and wrapping the StatusServer in the xmlrpc check
0e0fdac Updated to version 0.9.3
|