CommonStuff.psm1
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 |
function Compare-Object2 { <# .SYNOPSIS Function for detection if two inputs are the same. Can be used for comparison of strings, objects, arrays of primitives/objects. ! doesn't work for hash tables! Always test before use in production, there can be glitches :) .DESCRIPTION Function for detection if two inputs are the same. Can be used for comparison of strings, objects, arrays of primitives/objects. ! doesn't work for hash tables! In case input is string, -eq or -ceq operator will be used. In case input doesn't have any property that can be used for comparison (i.e array of primitives etc), Compare-Object will be used for camparison. In case input object(s) has any properties, they will be used for comparison. Same objects are those that have same values in properties used for comparison. Beware, that result can be different, if you switch input1 and input2. It's because when comparison starts, it will cycle through items of input1, detects type of each object property and according to that choose correct compare operator. .PARAMETER input1 First input to compare. .PARAMETER input2 Second input to compare. .PARAMETER property List of object properties that will be used for comparison. If not used, all properties of object has to match. .PARAMETER excludeProperty List of object properties that will be excluded from comparison. .PARAMETER trimStringProperty Switch for trim value of string properties before comparison. .PARAMETER confluenceInInput2 Switch for transforming values of string properties (of objects in input1!) to format used in Confluence. i.e. <URL> is transformed to `n\n<URL>\n`n etc. !Confluence object on contrary has to be in input2 otherwise this won't work! Beware, that detection of changes in spaces won't be detected! It's because when transforming plaintext html to object, multiple spaces are replaced by single space. .PARAMETER caseSensitive Switch for making comparison of string properties case sensitive. .PARAMETER outputItemWithoutMatch Switch for outputting object, that wasn't found in second input. .EXAMPLE $1 = get-process $2 = get-process notepad Compare-Object2 $1 $2 -property processname, id Will return $True if for each object from $1 array exists object with same processname and id from array $2. .EXAMPLE $1 = get-process $2 = get-process notepad Compare-Object2 $1 $2 -excludeProperty ws, id Will return $True if for each object from $1 array exists same object from array $2. For comparison of objects will be used values of all but ws and id properties. .OUTPUTS Boolean #> [CmdletBinding()] param ( [Parameter(Mandatory = $true)] [ValidateNotNullOrEmpty()] $input1 , [Parameter(Mandatory = $true)] [ValidateNotNullOrEmpty()] $input2 , $property = @() , [string[]] $excludeProperty , [switch] $trimStringProperty , [switch] $confluenceInInput2 , [switch] $caseSensitive , [switch] $outputItemWithoutMatch ) $operator = "-eq" if ($caseSensitive) { $operator = "-ceq" } if ($trimStringProperty) { $trim = ".trim()" } $input1Property = $input1 | Get-Member -MemberType CodeProperty, CodeProperty, NoteProperty, Property, ParameterizedProperty, AliasProperty | select -exp name $input2Property = $input2 | Get-Member -MemberType CodeProperty, CodeProperty, NoteProperty, Property, ParameterizedProperty, AliasProperty | select -exp name if (!($input1Property) -or !($input2Property)) { Write-Verbose "Input object doesn't have any property. Using Compare-Object to compare input1 and input2 as a whole" if (Compare-Object $input1 $input2) { return $false } else { return $true } } if (($input1.count -gt 1) -and ($input1Property.count -eq 2 -and $input1Property -contains "chars" -and $input1Property -contains "length") -or ($input2.count -gt 1) -and ($input2Property.count -eq 2 -and $input2Property -contains "chars" -and $input1Property -contains "length")) { Write-Verbose "Input object is array of strings. Using Compare-Object to compare input1 and input2 as a whole" if (Compare-Object $input1 $input2) { return $false } else { return $true } } if ($input1.gettype().name -eq "String" -or $input2.gettype().name -eq "String" ) { Write-Warning "Input object is a string. Using $operator operator to comparison" if (Invoke-Expression "'$input1'$trim $operator '$input2'$trim") { return $true } else { return $false } } function _ConvertToConfluenceFormat { # convert given string to format, that will be received from Confluence page # https://support.atlassian.com/confluence-cloud/docs/insert-confluence-wiki-markup/ etc [CmdletBinding()] param ([string] $text, $VerbosePreference = $VerbosePreference) # end line $text = $text -replace "`r`n", "`n" # | because we replaced it for space in scripts that fill confluence tables # it is used when creating tables (ConvertTo-ConfluenceTable) $text = $text -replace "\|", " " # # vyhledat vsechna slova obsahujici \, ponechat jen unikatni, pokud slovo obsahuje \\, tak udelat newline transformaci jinak zdvojit # $match = ([regex]"[^\s]*\\[^\s]*").matches($text) # $match = $match.value | select -Unique # if ($match) { # $match | % { # $_ # $escMatch = [regex]::Escape($_) # if ($_ -match "\\\\" -and ($_ -split "\\").count -eq 3) { # "###newline" # # two following \ i.e. newline symbol \\ # # $match = "va\\" # # $match = "($match)" -replace "\\\\", ")\\\\(" # # (va)\\\\() # $a = ($_ -split "\\\\")[0] # $b = ($_ -split "\\\\")[1] # # $_ -replace "\\\\", "(\\\\)" # $match2 = ([regex]"(^|\s+)$escMatch(\s+|$)").matches($text) # pokud je pred \\ vic mezer, nahradi se za jednu, pokud jsou mezery za \\, zahodi se # if ($match2) { # $match2 | % { # Write-Verbose "Replacing $($_.value)" # $1 = $_.captures.groups[1].value -replace '\s+$', ' ' # $2 = $_.groups[2].value -replace '^\s+' # $text = $text -replace [regex]::Escape($_), "$1$a`n$b$2" # } # } else { # throw "$_ jsem nenasel" # } # } else { # # one, three or more \ i.e. UNC path # $match2 = ([regex]"(^|\s+)$escMatch(\s+|$)").matches($text) # pokud je pred \\ vic mezer, nahradi se za jednu, pokud jsou mezery za \\, zahodi se # if ($match2) { # $match2 | % { # Write-Verbose "Doubling \\ in $_" # $doubleSlashes = $_ -replace "\\", "\\" # # musi se zpresnit, matchnout cele slovo ne jen takto! # $text = $text -replace $escMatch, $doubleSlashes # } # } else { # throw "$_ jsem nenasel" # } # } # } # } # # \\ i.e. newline # #FIXME v UNC to nechci # $match = ([regex]"(\s+|[^\\])\\\\(\s+|[^\\ ])").matches($text) # pokud je pred \\ vic mezer, nahradi se za jednu, pokud jsou mezery za \\, zahodi se # if ($match) { # $match | % { # Write-Verbose "Replacing $($_.value)" # $1 = $_.captures.groups[1].value -replace '\s+$', ' ' # $2 = $_.groups[2].value -replace '^\s+' # $text = $text -replace [regex]::Escape($_), "$1`n$2" # } # } # # \ # #FIXME v UNC ale chci taky zdvojit..i kdyz jsou tam 2 vedle sebe # # but only if it is single backslash (\\ means new line) # # https://confluence.atlassian.com/confkb/unable-to-use-some-characters-like-backslash-223904158.html # $match = ([regex]"(\s+|[^\\])\\(\s+|[^\\])").matches($text) # if ($match) { # $match | % { # Write-Verbose "Replacing \ for \\" # $1 = $_.groups[1].value # $2 = $_.groups[2].value # $text = $text -replace [regex]::Escape($_), "$1\\$2" # } # } $text = $text -replace "\\", "\\" # URL # Confluence transforms URL string to `n\nURL\n`n # z http://seznam.cz udela `n\nhttp://seznam.cz\n`n $match = ([regex]"\b(https?|ftps?):[^ ]+").Matches($text).value if ($match) { $match | % { $text = $text -replace ([regex]::Escape($_) + "\s*"), "`n\n$_\n`n" } } # paired tags # i.e. *strong* to strong # (there can't be space between tag and inner text, but outside tag, it has to be) "*", "_", "??", "-", "+", "^", "~" | % { $sign = $_ $escSign = [regex]::Escape($sign) # $match = ([regex]"\s($escSign([^ $sign][^$sign]?[^ $sign]?)$escSign)\s").Matches($text) $match = ([regex]"(?:^|\s)($escSign([^ ]|[^ ]{2}|[^ ].*[^ ])$escSign)(?:\s|$)").Matches($text) if ($match) { $match | % { Write-Verbose "Replacing $($_.value) because of $sign" $1 = $_.captures.groups[1].value $2 = $_.groups[2].value $text = $text -replace [regex]::Escape($1), $2 } } } # {{monospace}} $match = ([regex]"(?:^|\s)({{([^ ]|[^ ]{2}|[^ ].*[^ ])}})(?:\s|$)").Matches($text) if ($match) { $match | % { Write-Verbose "Replacing $($_.value) because of {{}}" $1 = $_.captures.groups[1].value $2 = $_.groups[2].value $text = $text -replace [regex]::Escape($1), $2 } } # h1-6 heading $text = $text -replace "^h[1-6]{1}\s*" # .bq blockquotation $text = $text -replace "\bbq\.\s+" # [text] $text = $text -replace "\[[^]]+\]" # lists #FIXME # # line has to start with -, * or # or its combination and list symbol has to be followed by space # "-", "#", "*", "#*" | % { # $sign = $_ # $escSign = [regex]::Escape($sign) # if ($sign -in "*", "#") { # # support subsequent levels # $count = "{1,}" # } # $match = ([regex]"^\s*$escSign$count\s{1,}").Matches($text) # if ($match) { # $match | % { # $text = $text -replace [regex]::Escape($_) # } # } # } # ---- i.e. horizontal line $text = $text -replace "^\s*----\s*$}" Write-Verbose "Confluence format: $text" return $text } if (@($input1).count -ne @($input2).count) { Write-Verbose "Count of the objects isn't the same ($(@($input1).count) vs $(@($input2).count))" return $false } else { if ($property) { $propertyGiven = 1 } foreach ($item1 in $input1) { # array can consist of different kind of object, so get property for each of them separately $itemProperty = $item1 | Get-Member -MemberType CodeProperty, CodeProperty, NoteProperty, Property, ParameterizedProperty, AliasProperty | select name, definition if (!$propertyGiven) { $property = $itemProperty.name } else { # check, that all given properties exists on object, otherwise compare won't be precise $property | % { if ($_ -notin $itemProperty.name) { throw "$_ property doesn't exist" } } } if ($VerbosePreference -eq "Continue") { Write-Verbose "SEARCHING OBJECT WHERE: " $property | % { $pName = $_ $match = $itemProperty | ? { $_.name -eq $pName } Write-Verbose $match.definition } } $property = $property.ToLower() if ($excludeProperty) { $property = { $property }.invoke() $excludeProperty | % { Write-Verbose "Removing $_ from properties" $null = $property.Remove($_.ToLower()) } } if (!$propertyGiven) { Write-Verbose "Properties: $($property -join ', ')" } # prepare Where-Object filter for search in input2 $whereFilter = "" $property | % { $pName = $_ if ($whereFilter) { $whereFilter += " -and " } # I recognize type of property from its definition by searching its name in list of all object properties if (($itemProperty | ? { $_.name -eq $pName -and $_.definition -match "^string |^System.String " }) -or (!$_.$pName -or !$item1.$pName)) { # property is string or is empty Write-Verbose "Property name: '$pName' definition: is a string" if ($trimStringProperty) { # replace '^\s*|\s*$' instead of trim() because of error: cannot call on null-value expression # -replace '\s+',' ' because when converting plaintext HTML (Confluence page) to object (using IHTMLDocument2_write()), multiple spaces are replaced by one space if ($confluenceInInput2) { $whereFilter += " (`$_.'$pName' -replace '^\s*|\s*$' -replace '\s+',' ' -replace '`r`n', '`n') $operator ((_ConvertToConfluenceFormat `$item1.'$pName') -replace '^\s*|\s*$' -replace '\s+',' ') " } else { $whereFilter += " (`$_.'$pName' -replace '^\s*|\s*$' -replace '`r`n', '`n') $operator (`$item1.'$pName' -replace '^\s*|\s*$' -replace '`r`n', '`n') " } } else { if ($confluenceInInput2) { $whereFilter += " (`$_.'$pName' -replace '\s+',' ' -replace '`r`n', '`n') $operator ((_ConvertToConfluenceFormat `$item1.'$pName') -replace '\s+',' ') " } else { $whereFilter += " (`$_.'$pName' -replace '`r`n', '`n') $operator (`$item1.'$pName' -replace '`r`n', '`n')" } } } else { # property isn't string $pDefinition = $itemProperty | ? { $_.name -eq $pName } | select -exp definition Write-Verbose "Property '$pName'`: definition: $pDefinition" $whereFilter += " (!(Compare-Object `$_.'$pName' `$item1.'$pName')) " } } Write-Verbose "Filter: $($whereFilter -replace "`r`n",'`r`n' -replace "`n",'`n')" # for each object from input1 array I try to find whether second array contains exactly the same object if (!(Invoke-Expression "`$input2 | ? {$whereFilter}")) { # identical object doesn't exist in second array if ($outputItemWithoutMatch) { Write-Verbose "First object that doesn't have identical match in the second array" Write-Host $item1 } return $false } } } return $true } function ConvertFrom-HTMLTable { <# .SYNOPSIS Function extracts table(s) from given HTML string, file or Com object and converts it/them into the PSObject(s). .DESCRIPTION Function extracts table(s) from given HTML string, file or Com object and converts it/them into the PSObject(s). Native parser can be used or HTML Agility Pack 3rd party dll (using PowerHTML wrapper module). .PARAMETER htmlString HTML string to parse. .PARAMETER htmlFile File with HTML content to parse. .PARAMETER htmlComObj HTML Com object to process. Html Com object can be retrieved by (Invoke-WebRequest).parsedHtml or (New-Object -Com "HTMLFile").IHTMLDocument2_write($htmlContentString). .PARAMETER index Index of the table to extract. By default 0 a.k.a. the first one. .PARAMETER useHTMLAgilityPack Switch for using 3rd party HTML Agility Pack dll (requires PowerHTML wrapper module!) instead of the native one. Mandatory for Core OS, Azure Automation etc, where native dll isn't available. Also it is much faster then native parser which sometimes is suuuuuuper slow, but results can slightly differ, so test thoroughly. .PARAMETER splitValue Switch for splitting table cell values a.k.a. get array of cell values instead of one string. Delimiter is defined in splitValueBy parameter. .PARAMETER splitValueBy Delimiter for splitting column values. .PARAMETER all Switch to process all tables in given HTML. .PARAMETER tableName Adds property tableName with given name to each returned object. If more than one table is returned, adds table number suffix to the given name. .PARAMETER omitEmptyTable Switch to skip empty tables. Empty means there are no other rows except the header one. .PARAMETER asArrayOfTables Switch for returning the result as array of tables where each array contains rows of such table. By default array of all rows from all tables is being returned at once. Beware that if only one table is returned, PowerShell automatically expands this one array to array of containing items! To avoid this behavior use @(): $result = @(ConvertFrom-HTMLTable -htmlFile "C:\Users\Public\Documents\MDMDiagnostics\MDMDiagReport.html" -all -asArrayOfTables). .EXAMPLE $uri = "https://learn.microsoft.com/en-us/mem/configmgr/core/plan-design/hierarchy/communications-between-endpoints" $pageContent = (Invoke-WebRequest -Method GET -Uri $uri -UseBasicParsing).content ConvertFrom-HTMLTable $pageContent -all Get&convert all tables existing on given page using 3rd party parser dll. .EXAMPLE $uri = "https://learn.microsoft.com/en-us/mem/configmgr/core/plan-design/hierarchy/communications-between-endpoints" $pageContent = (Invoke-WebRequest -Method GET -Uri $uri -UseBasicParsing).content ConvertFrom-HTMLTable $pageContent -useHTMLAgilityPack -all Get&convert all tables existing on given page using native parser. All rows from all tables will be returned at once. .EXAMPLE ConvertFrom-HTMLTable -htmlFile "C:\Users\Public\Documents\MDMDiagnostics\MDMDiagReport.html" Get&convert just first table existing in given html file using native parser. All rows from all tables will be returned at once. .EXAMPLE $Source = Get-Content "C:\Users\Public\Documents\MDMDiagnostics\MDMDiagReport.html" -Raw $HTML = New-Object -Com "HTMLFile" $HTML.IHTMLDocument2_write($Source) ConvertFrom-HTMLTable $HTML.body Get&convert just first table existing in given html file using native parser. All rows from all tables will be returned at once. .EXAMPLE $allTables = @(ConvertFrom-HTMLTable -htmlFile "C:\Users\Public\Documents\MDMDiagnostics\MDMDiagReport.html" -all -asArrayOfTables) $firstTable = $allTables[0] $lastRowOfFirstTable = $firstTable[-1] $secondTable = $allTables[1] Get&convert all tables existing in given html file using native parser. Result will be array of arrays, where each array represents one table's rows. .EXAMPLE $pageContent = (Get-ConfluencePage -PageID 123456789).body ConvertFrom-HTMLTable $pageContent Get&convert just first table existing in given html string using native parser. .NOTES Good alternative seems to be PSParseHTML module. #> [CmdletBinding(DefaultParameterSetName = 'HtmlString')] param ( [Parameter(Mandatory = $true, Position = 0, ParameterSetName = "HtmlString")] [ValidateScript( { if ($_.gettype().name -eq 'String') { $true } else { throw "HtmlString parameter isn't string but $($_.gettype().name)" } })] [string] $htmlString , [Parameter(Mandatory = $true, Position = 0, ParameterSetName = "HtmlFile")] [ValidateScript( { if ($_ -like "*.html" -and (Test-Path -Path $_ -PathType leaf)) { $true } else { throw "'$_' is not a path to html file" } })] [string] $htmlFile , [Parameter(Mandatory = $true, Position = 0, ParameterSetName = "HtmlComObj")] [ValidateScript( { if ($_.gettype().name -in '__ComObject', 'HTMLDocumentClass') { $true } else { throw "HtmlComObj parameter isn't COM object but $($_.gettype().name).`nHtml Com object can be retrieved by (Invoke-WebRequest).parsedHtml or (New-Object -Com 'HTMLFile').IHTMLDocument2_write(`$htmlContentString)" } })] [System.__ComObject] $htmlComObj , [ValidateNotNullOrEmpty()] [int] $index = 0 , [switch] $useHTMLAgilityPack , [switch] $splitValue , [string] $splitValueBy = "," , [switch] $all, [string] $tableName, [switch] $omitEmptyTable, [switch] $asArrayOfTables ) #region helper functions function _selectTable { param ($tableList) if (!$tableList) { throw "There is no table in the provided html code" } if ($index -and @($tableList).count -eq 1) { Write-Warning "There is only one table in the provided html code, parameter index will be ignored" } elseif ($index -ge @($tableList).count) { throw "There is only $(@($tableList).count) table(s) in the provided html code, parameter index is out of scope" } elseif ($index -lt @($tableList).count) { Write-Verbose "Selecting $($index + 1). table of $(@($tableList).count)" $tableList = @($tableList)[$index] } return $tableList } function _processValue { param ($value) if (!$value -or $value -in ' ', ' ', ' ') { $value = $null } else { if ($splitValue -and $value -like "*$splitValueBy*") { # value contains defined split char and should be splitted $value = $value -split [regex]::escape($splitValueBy) } if ($value) { # replace for " " etc # foreach to preserve array of values $value = $value | % { [System.Web.HttpUtility]::HtmlDecode($_) } $value = $value.trim() } } return $value } #endregion helper functions # to be able to use [System.Web.HttpUtility]::HtmlDecode() Add-Type -AssemblyName System.Web if ($htmlFile) { Write-Verbose "Processing HTML file '$htmlFile'" $htmlString = Get-Content $htmlFile -Encoding utf8 -Raw -ErrorAction Stop } elseif ($htmlComObj) { Write-Verbose "Processing given HTML Com object" if ($useHTMLAgilityPack) { $useHTMLAgilityPack = $false Write-Warning "Parameter useHTMLAgilityPack cannot be used with Com object" } } else { Write-Verbose "Processing given HTML string" } if ($useHTMLAgilityPack) { # process HTML content using 3rd party HTML Agility Pack # using wrapper a.k.a. PowerHTML module if (!(Get-Module PowerHTML) -and !(Get-Module PowerHTML -ListAvailable)) { throw "Module PowerHTML is missing. Use Install-Module command to get it." } $htmlDom = ConvertFrom-Html -Content $htmlString # get all table(s) $tableList = $htmlDom.SelectNodes('//table') if (!$all) { # select table using index $tableList = _selectTable $tableList } $tableNumber = 1 foreach ($table in $tableList) { $result = @() $missingHeaderRow = $false # table rows $rowList = $table.SelectNodes('.//tr') Write-Verbose "$tableNumber. table has $($rowList.count) rows" # table column names $columnName = $table.SelectNodes('.//th') | % { # innerText on childNodes to have break lines for 'br' elements # remove empty lines (can exist thanks to br element) # return as single string because it doesn't make sense to have array of strings in header ($_.childNodes.innerText | ? { $_ } | % { _processValue $_ }) -join "`n" } if (!$columnName) { $missingHeaderRow = $true Write-Warning "Header row in $tableNumber. table is missing ('th' tag). Autogenerating column names" $columnCount = $rowList[0].SelectNodes('.//td').count if (!$columnCount) { throw "Table is empty?" } $columnName = 0..($columnCount - 1) | % { "Column_$_" } } else { Write-Verbose "Column names are: $($columnName -join ' | ')" } if ($omitEmptyTable -and ((@($rowList).count -eq 0) -or (@($rowList).count -eq 1 -and !$missingHeaderRow))) { Write-Warning "Skipping $tableNumber. table because it is empty" ++$tableNumber continue } # convert each row into the PSObject foreach ($row in $rowList) { if ($row.SelectNodes('th')) { Write-Verbose "Skipping header row" continue } $property = [ordered]@{} if ($tableName) { if ($tableList.count -gt 1) { $property.TableName = "$tableName$tableNumber" } else { $property.TableName = $tableName } } $i = 0 $value = $null # fill property hash if (@($row.SelectNodes('td')).count) { $row.SelectNodes('td') | % { $value = "" $_.childnodes | % { Write-Verbose "nodeType: $($_.nodetype) name: $($_.name) innerText: $($_.innertext)" if ($_.nodetype -eq 'Element' -and $_.name -eq 'br') { $value += "`n" } else { $value += $_.innerText # it is a paragraph, insert a new line if ($_.nodetype -eq 'Element' -and $_.name -eq 'p') { $value += "`n" } } } $property.(@($columnName)[$i]) = (_processValue $value) ++$i } if ($i -ne ($columnName.count)) { throw "Row with value: $value is wrongly formatted. Number of values ($i) isn't same as number of columns ($($columnName.count))." } } else { # row is empty 0..($columnName.count - 1) | % { $property.(@($columnName)[$i]) = $null ++$i } } $result += (New-Object -TypeName PSObject -Property $property) } ++$tableNumber if ($asArrayOfTables) { # force returning as ONE array containing table's rows @(, $result) } else { # return as array of table's rows $result } } } else { # process HTML content using native HTMLFILE COM object # not available on Core OS, Azure Automation sandbox etc if ($htmlComObj) { if (($htmlComObj | select -ExpandProperty TagName -ErrorAction SilentlyContinue) -eq 'table') { # TIP: $htmlComObj.TagName doesn't return anything $tableList = $htmlComObj } else { # get all table(s) $tableList = $htmlComObj.getElementsByTagName('table') } } else { try { $htmlDom = New-Object -ComObject "HTMLFILE" -ErrorAction Stop } catch { throw "Unable to create COM object HTMLFILE. Try calling this function with 'useHTMLAgilityPack' parameter" } try { # This works in PowerShell with Office installed $htmlDom.IHTMLDocument2_write($htmlString) } catch { # This works when Office is not installed $htmlDom.write([System.Text.Encoding]::Unicode.GetBytes($htmlString)) } $htmlDom.Close() # get all table(s) $tableList = $htmlDom.getElementsByTagName('table') } if (!$all) { # select table using index $tableList = _selectTable $tableList } $tableNumber = 1 foreach ($table in $tableList) { $result = @() $missingHeaderRow = $false # first row is header $startingRowIndex = 1 # table rows $rowList = $table.getElementsByTagName("tr") Write-Verbose "$tableNumber. table has $(@($rowList).count) rows" # table column names $columnName = $table.getElementsByTagName("th") | % { $_.innerText -replace "^\s*|\s*$" } if (!$columnName) { $missingHeaderRow = $true Write-Warning "Header row in $tableNumber. table is missing ('th' tag). Autogenerating column names" $columnCount = @((@($rowList)[0].getElementsByTagName("td"))).count if (!$columnCount) { throw "Table is empty" } $columnName = 0..($columnCount - 1) | % { "Column_$_" } # there is no header row $startingRowIndex = 0 } else { Write-Verbose "Column names are: $($columnName -join ' | ')" } if ($omitEmptyTable -and ((@($rowList).count -eq 0) -or (@($rowList).count -eq 1 -and !$missingHeaderRow))) { Write-Warning "Skipping $tableNumber. table because it is empty" ++$tableNumber continue } foreach ($row in (@($table.getElementsByTagName('tr'))[$startingRowIndex..(@($rowList).count - 1)])) { $property = [ordered]@{} if ($tableName) { if (@($tableList).count -gt 1) { $property.TableName = "$tableName$tableNumber" } else { $property.TableName = $tableName } } $i = 0 $value = $null # fill property hash if (@($row.getElementsByTagName("td")).count) { $row.getElementsByTagName("td") | % { Write-Verbose "innerText: $($_.innertext)" $value = _processValue $_.innerText $property.(@($columnName)[$i]) = $value ++$i } if ($i -ne ($columnName.count)) { throw "Row with value: $value is wrongly formatted. Number of values ($i) isn't same as number of columns ($($columnName.count))." } } else { # row is empty 0..($columnName.count - 1) | % { $property.(@($columnName)[$i]) = $null ++$i } } $result += (New-Object -TypeName PSObject -Property $property) } ++$tableNumber if ($asArrayOfTables) { # force returning as ONE array containing table's rows @(, $result) } else { # return as array of table's rows $result } } } } function ConvertFrom-XML { <# .SYNOPSIS Function for converting XML object (XmlNode) to PSObject. .DESCRIPTION Function for converting XML object (XmlNode) to PSObject. .PARAMETER node XmlNode object (retrieved like: [xml]$xmlObject = (Get-Content C:\temp\file.xml -Raw)) .EXAMPLE [xml]$xmlObject = (Get-Content C:\temp\file.xml -Raw) ConvertFrom-XML $xmlObject .NOTES Based on https://stackoverflow.com/questions/3242995/convert-xml-to-psobject #> [CmdletBinding()] param ( [Parameter(Mandatory = $true, ValueFromPipeline)] [System.Xml.XmlNode] $node ) #region helper functions function ConvertTo-PsCustomObjectFromHashtable { param ( [Parameter( Position = 0, Mandatory = $true, ValueFromPipeline = $true, ValueFromPipelineByPropertyName = $true )] [object[]]$hashtable ); begin { $i = 0; } process { foreach ($myHashtable in $hashtable) { if ($myHashtable.GetType().Name -eq 'hashtable') { $output = New-Object -TypeName PsObject; Add-Member -InputObject $output -MemberType ScriptMethod -Name AddNote -Value { Add-Member -InputObject $this -MemberType NoteProperty -Name $args[0] -Value $args[1]; }; $myHashtable.Keys | Sort-Object | % { $output.AddNote($_, $myHashtable.$_); } $output } else { Write-Warning "Index $i is not of type [hashtable]"; } $i += 1; } } } #endregion helper functions $hash = @{} foreach ($attribute in $node.attributes) { $hash.$($attribute.name) = $attribute.Value } $childNodesList = ($node.childnodes | ? { $_ -ne $null }).LocalName foreach ($childnode in ($node.childnodes | ? { $_ -ne $null })) { if (($childNodesList.where( { $_ -eq $childnode.LocalName })).count -gt 1) { if (!($hash.$($childnode.LocalName))) { Write-Verbose "ChildNode '$($childnode.LocalName)' isn't in hash. Creating empty array and storing in hash.$($childnode.LocalName)" $hash.$($childnode.LocalName) += @() } if ($childnode.'#text') { Write-Verbose "Into hash.$($childnode.LocalName) adding '$($childnode.'#text')'" $hash.$($childnode.LocalName) += $childnode.'#text' } else { Write-Verbose "Into hash.$($childnode.LocalName) adding result of ConvertFrom-XML called upon '$($childnode.Name)' node object" $hash.$($childnode.LocalName) += ConvertFrom-XML($childnode) } } else { Write-Verbose "In ChildNode list ($($childNodesList -join ', ')) is only one node '$($childnode.LocalName)'" if ($childnode.'#text') { Write-Verbose "Into hash.$($childnode.LocalName) set '$($childnode.'#text')'" $hash.$($childnode.LocalName) = $childnode.'#text' } else { Write-Verbose "Into hash.$($childnode.LocalName) set result of ConvertFrom-XML called upon '$($childnode.Name)' $($childnode.Value) object" $hash.$($childnode.LocalName) = ConvertFrom-XML($childnode) } } } Write-Verbose "Returning hash ($($hash.Values -join ', '))" return $hash | ConvertTo-PsCustomObjectFromHashtable } function Create-BasicAuthHeader { <# .SYNOPSIS Function returns basic authentication header that can be used for web requests. .DESCRIPTION Function returns basic authentication header that can be used for web requests. .PARAMETER credential Credentials object that will be used to create auth. header. .EXAMPLE $header = Create-BasicAuthHeader -credential (Get-Credential) $response = Invoke-RestMethod -Uri "https://example.com/api" -Headers $header #> param ( [Parameter(Mandatory = $true)] [System.Management.Automation.PSCredential] $credential ) @{ "Authorization" = "Basic " + [System.Convert]::ToBase64String([System.Text.Encoding]::UTF8.GetBytes(($Credential.UserName + ":" + [System.Runtime.InteropServices.marshal]::PtrToStringAuto([System.Runtime.InteropServices.marshal]::SecureStringToBSTR($Credential.Password)) ))) } } function Export-ScriptsToModule { <# .SYNOPSIS Function for generating Powershell module from ps1 scripts (that contains definition of functions) that are stored in given folder. Generated module will also contain function aliases (no matter if they are defined using Set-Alias or [Alias("Some-Alias")]. Every script file has to have exactly same name as function that is defined inside it (i.e. Get-LoggedUsers.ps1 contains just function Get-LoggedUsers etc). If folder with ps1 script(s) contains also module manifest (any psd1 file), it will be used as a base manifest file of the generated module. Information like exported functions, aliases etc will be autogenerated though. In console where you call this function, font that can show UTF8 chars has to be set. .PARAMETER configHash Hash in specific format, where key is path to folder with scripts and value is path to which module should be generated. eg.: @{"C:\temp\scripts" = "C:\temp\Modules\Scripts"} .PARAMETER enc Which encoding should be used. Default is UTF8. .PARAMETER includeUncommitedUntracked Export also functions from modified-and-uncommited and untracked files. And use modified-and-untracked module manifest if necessary. .PARAMETER dontCheckSyntax Switch that will disable syntax checking of created module. .PARAMETER dontIncludeRequires Switch that will lead to ignoring all #requires in scripts, so generated module won't contain them. Otherwise just module #requires will be added. .PARAMETER markAutoGenerated Switch will add comment '# _AUTO_GENERATED_' on first line of each module, that was created by this function. For internal use, so I can distinguish which modules was created from functions stored in scripts2module and therefore easily generate various reports. .EXAMPLE Export-ScriptsToModule @{"C:\DATA\POWERSHELL\repo\scripts" = "c:\DATA\POWERSHELL\repo\modules\Scripts"} .EXAMPLE Export-ScriptsToModule @{"C:\DATA\repo\useful_powershell_modules\CommonStuff_source" = "C:\DATA\repo\useful_powershell_modules\CommonStuff"} -includeUncommitedUntracked -dontIncludeRequires Publish-Module -Path "C:\DATA\repo\useful_powershell_modules\CommonStuff" -NuGetApiKey "of2gxseokrlium7up2hquxqjrbd3jtfefdasrr2c52ylc4" #> [CmdletBinding()] param ( [ValidateNotNullOrEmpty()] [hashtable] $configHash , [ValidateNotNullOrEmpty()] [string] $enc = 'utf8' , [switch] $includeUncommitedUntracked , [switch] $dontCheckSyntax , [switch] $dontIncludeRequires , [switch] $markAutoGenerated ) if (!(Get-Command Invoke-ScriptAnalyzer -ErrorAction SilentlyContinue) -and !$dontCheckSyntax) { Write-Warning "Syntax won't be checked, because function Invoke-ScriptAnalyzer is not available (part of module PSScriptAnalyzer)" } function _generatePSModule { [CmdletBinding()] param ( [Parameter(Mandatory = $true)] [ValidateNotNullOrEmpty()] $scriptFolder , [Parameter(Mandatory = $true)] [ValidateNotNullOrEmpty()] $moduleFolder , [switch] $includeUncommitedUntracked ) if (!(Test-Path $scriptFolder)) { throw "Path $scriptFolder is not accessible" } $moduleName = Split-Path $moduleFolder -Leaf $modulePath = Join-Path $moduleFolder "$moduleName.psm1" $function2Export = @() $alias2Export = @() # modules that are required by some of the exported functions $requiredModulesList = @() # contains function that will be exported to the module # the key is name of the function and value is its text definition $lastCommitFileContent = @{ } $location = Get-Location Set-Location $scriptFolder $unfinishedFile = @() try { # uncommited changed files $unfinishedFile += @(git ls-files -m --full-name) # untracked files $unfinishedFile += @(git ls-files --others --exclude-standard --full-name) } catch { throw "It seems GIT isn't installed. I was unable to get list of changed files in repository $scriptFolder" } Set-Location $location #region get last commited content of the modified untracked or uncommited files if ($unfinishedFile) { # there are untracked and/or uncommited files # instead just ignoring them try to get and use previous version from GIT [System.Collections.ArrayList] $unfinishedFile = @($unfinishedFile) # helper function to be able to catch errors and all outputs # dont wait for exit function _startProcess { [CmdletBinding()] param ( [string] $filePath = 'notepad.exe', [string] $argumentList = '/c dir', [string] $workingDirectory = (Get-Location) ) $p = New-Object System.Diagnostics.Process $p.StartInfo.UseShellExecute = $false $p.StartInfo.RedirectStandardOutput = $true $p.StartInfo.RedirectStandardError = $true $p.StartInfo.WorkingDirectory = $workingDirectory $p.StartInfo.FileName = $filePath $p.StartInfo.Arguments = $argumentList [void]$p.Start() # $p.WaitForExit() # cannot be used otherwise if git show HEAD:$file returned something, process stuck $p.StandardOutput.ReadToEnd() if ($err = $p.StandardError.ReadToEnd()) { Write-Error $err } } $unfinishedScriptFile = $unfinishedFile.Clone() | ? { $_ -like "*.ps1" } if (!$includeUncommitedUntracked) { Set-Location $scriptFolder $unfinishedScriptFile | % { $file = $_ $lastCommitContent = $null $fName = [System.IO.Path]::GetFileNameWithoutExtension($file) try { $lastCommitContent = _startProcess git "show HEAD:$file" -ErrorAction Stop } catch { Write-Verbose "GIT error: $_" } if (!$lastCommitContent -or $lastCommitContent -match "^fatal: ") { Write-Warning "$fName has uncommited changes. Skipping, because no previous file version was found in GIT" } else { Write-Warning "$fName has uncommited changes. For module generating I will use content from its last commit" $lastCommitFileContent.$fName = $lastCommitContent $unfinishedFile.Remove($file) } } Set-Location $location } # unix / replace by \ $unfinishedFile = $unfinishedFile -replace "/", "\" $unfinishedScriptFileName = $unfinishedScriptFile | % { [System.IO.Path]::GetFileName($_) } if ($includeUncommitedUntracked -and $unfinishedScriptFileName) { Write-Warning "Exporting changed but uncommited/untracked functions: $($unfinishedScriptFileName -join ', ')" $unfinishedFile = @() } } #endregion get last commited content of the modified untracked or uncommited files # in ps1 files to export leave just these in consistent state $script2Export = (Get-ChildItem (Join-Path $scriptFolder "*.ps1") -File).FullName | where { $partName = ($_ -split "\\")[-2..-1] -join "\" if ($unfinishedFile -and $unfinishedFile -match [regex]::Escape($partName)) { return $false } else { return $true } } if (!$script2Export -and $lastCommitFileContent.Keys.Count -eq 0) { Write-Warning "In $scriptFolder there is none usable function to export to $moduleFolder. Exiting" return } #region cleanup old module folder if (Test-Path $modulePath -ErrorAction SilentlyContinue) { Write-Verbose "Removing $moduleFolder" Remove-Item $moduleFolder -Recurse -Confirm:$false -ErrorAction Stop Start-Sleep 1 [Void][System.IO.Directory]::CreateDirectory($moduleFolder) } #endregion cleanup old module folder Write-Verbose "Functions from the '$scriptFolder' will be converted to module '$modulePath'" #region fill $lastCommitFileContent hash with functions content $script2Export | % { $script = $_ $fName = [System.IO.Path]::GetFileNameWithoutExtension($script) if ($fName -match "\s+") { throw "File $script contains space in name which is nonsense. Name of file has to be same to the name of functions it defines and functions can't contain space in it's names." } # add function content only in case it isn't added already (to avoid overwrites) if (!$lastCommitFileContent.containsKey($fName)) { # check, that file contain just one function definition and nothing else $ast = [System.Management.Automation.Language.Parser]::ParseFile("$script", [ref] $null, [ref] $null) # just END block should exist if ($ast.BeginBlock -or $ast.ProcessBlock) { throw "File $script isn't in correct format. It has to contain just function definition (+ alias definition, comment or requires)!" } # get function definition $functionDefinition = $ast.FindAll( { param([System.Management.Automation.Language.Ast] $ast) $ast -is [System.Management.Automation.Language.FunctionDefinitionAst] -and # Class methods have a FunctionDefinitionAst under them as well, but we don't want them. ($PSVersionTable.PSVersion.Major -lt 5 -or $ast.Parent -isnot [System.Management.Automation.Language.FunctionMemberAst]) }, $false) if ($functionDefinition.count -ne 1) { throw "File $script doesn't contain any function or contain's more than one." } if ($fName -ne $functionDefinition.name) { throw "Script file has to have same name as a function it contains. But '$script' defines $($functionDefinition.name) a.k.a. rename it" } # define empty function body $content = "" # use function definition obtained by AST to generate module # this way no possible dangerous content will be added $requiredModules = $ast.scriptRequirements.requiredModules.name if ($requiredModules) { $requiredModulesList += $requiredModules Write-Verbose ("Function $fName has defined following module requirements: $($requiredModules -join ', ')") } if (!$dontIncludeRequires) { # adding module requires if ($requiredModules) { $content += "#Requires -Modules $($requiredModules -join ',')`n`n" } } # replace invalid chars for valid (en dash etc) $functionText = $functionDefinition.extent.text -replace [char]0x2013, "-" -replace [char]0x2014, "-" # add function text definition $content += $functionText # add aliases defined by Set-Alias $ast.EndBlock.Statements | ? { $_ -match "^\s*Set-Alias .+" } | % { $_.extent.text } | % { $parts = $_ -split "\s+" $content += "`n$_" if ($_ -match "-na") { # alias set by named parameter # get parameter value $i = 0 $parPosition $parts | % { if ($_ -match "-na") { $parPosition = $i } ++$i } # save alias for later export $alias2Export += $parts[$parPosition + 1] Write-Verbose "- exporting alias: $($parts[$parPosition + 1])" } else { # alias set by positional parameter # save alias for later export $alias2Export += $parts[1] Write-Verbose "- exporting alias: $($parts[1])" } } # add aliases defined by [Alias("Some-Alias")] $innerAliasDefinition = $ast.FindAll( { param([System.Management.Automation.Language.Ast] $ast) $ast -is [System.Management.Automation.Language.AttributeAst] }, $true) | ? { $_.parent.extent.text -match '^param' } | Select-Object -ExpandProperty PositionalArguments | Select-Object -ExpandProperty Value -ErrorAction SilentlyContinue # filter out aliases for function parameters if ($innerAliasDefinition) { $innerAliasDefinition | % { $alias2Export += $_ Write-Verbose "- exporting 'inner' alias: $_" } } $lastCommitFileContent.$fName = $content } } #endregion fill $lastCommitFileContent hash with functions content if ($markAutoGenerated) { "# _AUTO_GENERATED_" | Out-File $modulePath $enc "" | Out-File $modulePath -Append $enc } #region save all functions content to the module file # store name of every function for later use in Export-ModuleMember $lastCommitFileContent.GetEnumerator() | Sort-Object Name | % { $fName = $_.Key $content = $_.Value Write-Verbose "- exporting function: $fName" $function2Export += $fName $content | Out-File $modulePath -Append $enc "" | Out-File $modulePath -Append $enc } #endregion save all functions content to the module file #region set what functions and aliases should be exported from module # explicit export is much faster than use * if (!$function2Export) { throw "There are none functions to export! Wrong path??" } else { if ($function2Export -match "#") { Remove-Item $modulePath -Recurse -Force -Confirm:$false throw "Exported function contains unnaproved character # in it's name. Module was removed." } $function2Export = $function2Export | Select-Object -Unique | Sort-Object "Export-ModuleMember -function $($function2Export -join ', ')" | Out-File $modulePath -Append $enc "" | Out-File $modulePath -Append $enc } if ($alias2Export) { if ($alias2Export -match "#") { Remove-Item $modulePath -Recurse -Force -Confirm:$false throw "Exported alias contains unapproved character # in it's name. Module was removed." } $alias2Export = $alias2Export | Select-Object -Unique | Sort-Object "Export-ModuleMember -alias $($alias2Export -join ', ')" | Out-File $modulePath -Append $enc } #endregion set what functions and aliases should be exported from module #region process module manifest (psd1) file $manifestFile = (Get-ChildItem (Join-Path $scriptFolder "*.psd1") -File).FullName if ($manifestFile) { if ($manifestFile.count -eq 1) { $partName = ($manifestFile -split "\\")[-2..-1] -join "\" if ($partName -in $unfinishedFile -and !$includeUncommitedUntracked) { Write-Warning "Module manifest file '$manifestFile' is modified but not commited." $choice = "" while ($choice -notmatch "^[Y|N]$") { $choice = Read-Host "Continue? (Y|N)" } if ($choice -eq "N") { break } } try { Write-Verbose "Processing '$manifestFile' manifest file" $manifestDataHash = Import-PowerShellDataFile $manifestFile -ErrorAction Stop } catch { Write-Error "Unable to process manifest file '$manifestFile'.`n`n$_" } if ($manifestDataHash) { # customize manifest data Write-Verbose "Set manifest RootModule key" $manifestDataHash.RootModule = "$moduleName.psm1" Write-Verbose "Set manifest FunctionsToExport key" $manifestDataHash.FunctionsToExport = $function2Export Write-Verbose "Set manifest AliasesToExport key" if ($alias2Export) { $manifestDataHash.AliasesToExport = $alias2Export } else { # $manifestDataHash.AliasesToExport = @() } # remove key if empty, because Update-ModuleManifest doesn't like it if ($manifestDataHash.keys -contains "RequiredModules" -and !$manifestDataHash.RequiredModules) { Write-Verbose "Removing manifest key RequiredModules because it is empty" $manifestDataHash.Remove('RequiredModules') } # warn about missing required modules in manifest file if ($requiredModulesList -and $manifestDataHash.RequiredModules) { $reqModulesMissingInManifest = $requiredModulesList | ? { $_ -notin $manifestDataHash.RequiredModules } | select -Unique if ($reqModulesMissingInManifest) { Write-Warning "Following modules are required by some of the module function(s), but are missing from manifest file '$manifestFile' key 'RequiredModules': $($reqModulesMissingInManifest -join ', ')" } } # create final manifest file Write-Verbose "Generating module manifest file" # create empty one and than update it because of the bug https://github.com/PowerShell/PowerShell/issues/5922 New-ModuleManifest -Path (Join-Path $moduleFolder "$moduleName.psd1") Update-ModuleManifest -Path (Join-Path $moduleFolder "$moduleName.psd1") @manifestDataHash if ($manifestDataHash.PrivateData.PSData) { # bugfix because PrivateData parameter expect content of PSData instead of PrivateData Update-ModuleManifest -Path (Join-Path $moduleFolder "$moduleName.psd1") -PrivateData $manifestDataHash.PrivateData.PSData } } } else { Write-Warning "Module manifest file won't be processed because more then one were found." } } else { Write-Verbose "No module manifest file found" } #endregion process module manifest (psd1) file } # end of _generatePSModule $configHash.GetEnumerator() | % { $scriptFolder = $_.key $moduleFolder = $_.value $param = @{ scriptFolder = $scriptFolder moduleFolder = $moduleFolder verbose = $VerbosePreference } if ($includeUncommitedUntracked) { $param["includeUncommitedUntracked"] = $true } _generatePSModule @param if (!$dontCheckSyntax -and (Get-Command Invoke-ScriptAnalyzer -ErrorAction SilentlyContinue)) { # check generated module syntax $syntaxError = Invoke-ScriptAnalyzer $moduleFolder -Severity Error if ($syntaxError) { Write-Warning "In module $moduleFolder was found these problems:" $syntaxError } } } } function Get-InstalledSoftware { <# .SYNOPSIS Function returns installed applications. .DESCRIPTION Function returns installed applications. Such information is retrieved from registry keys 'SOFTWARE\Microsoft\Windows\CurrentVersion\Uninstall\', 'SOFTWARE\Wow6432Node\Microsoft\Windows\CurrentVersion\Uninstall\'. .PARAMETER ComputerName Name of the remote computer where you want to run this function. .PARAMETER AppName (optional) Name of the application(s) to look for. It can be just part of the app name. .PARAMETER DontIgnoreUpdates Switch for getting Windows Updates too. .PARAMETER Property What properties of the registry key should be returned. Default is 'DisplayVersion', 'UninstallString'. DisplayName will be always returned no matter what. .PARAMETER Ogv Switch for getting results in Out-GridView. .EXAMPLE Get-InstalledSoftware Show all installed applications on local computer .EXAMPLE Get-InstalledSoftware -DisplayName 7zip Check whether application with name 7zip is installed on local computer. .EXAMPLE Get-InstalledSoftware -DisplayName 7zip -Property Publisher, Contact, VersionMajor -Ogv Check whether application with name 7zip is installed on local computer and output results to Out-GridView with just selected properties. .EXAMPLE Get-InstalledSoftware -ComputerName PC01 Show all installed applications on computer PC01. #> [CmdletBinding()] param( [ArgumentCompleter( { param ($Command, $Parameter, $WordToComplete, $CommandAst, $FakeBoundParams) Get-ChildItem 'HKLM:\SOFTWARE\Microsoft\Windows\CurrentVersion\Uninstall\', 'HKLM:\SOFTWARE\Wow6432Node\Microsoft\Windows\CurrentVersion\Uninstall\' | % { try { Get-ItemPropertyValue -Path $_.pspath -Name DisplayName -ErrorAction Stop } catch { $null } } | ? { $_ -like "*$WordToComplete*" } | % { "'$_'" } })] [string[]] $appName, [Parameter(ValueFromPipeline = $true, ValueFromPipelineByPropertyName = $true)] [string[]] $computerName, [switch] $dontIgnoreUpdates, [ValidateNotNullOrEmpty()] [ValidateSet('AuthorizedCDFPrefix', 'Comments', 'Contact', 'DisplayName', 'DisplayVersion', 'EstimatedSize', 'HelpLink', 'HelpTelephone', 'InstallDate', 'InstallLocation', 'InstallSource', 'Language', 'ModifyPath', 'NoModify', 'NoRepair', 'Publisher', 'QuietUninstallString', 'UninstallString', 'URLInfoAbout', 'URLUpdateInfo', 'Version', 'VersionMajor', 'VersionMinor', 'WindowsInstaller')] [string[]] $property = ('DisplayName', 'DisplayVersion', 'UninstallString'), [switch] $ogv ) PROCESS { $scriptBlock = { param ($Property, $DontIgnoreUpdates, $appName) # where to search for applications $RegistryLocation = 'SOFTWARE\Microsoft\Windows\CurrentVersion\Uninstall\', 'SOFTWARE\Wow6432Node\Microsoft\Windows\CurrentVersion\Uninstall\' # define what properties should be outputted $SelectProperty = @('DisplayName') # DisplayName will be always outputted if ($Property) { $SelectProperty += $Property } $SelectProperty = $SelectProperty | select -Unique $RegBase = [Microsoft.Win32.RegistryKey]::OpenRemoteBaseKey([Microsoft.Win32.RegistryHive]::LocalMachine, $env:COMPUTERNAME) if (!$RegBase) { Write-Error "Unable to open registry on $env:COMPUTERNAME" return } foreach ($RegKey in $RegistryLocation) { Write-Verbose "Checking '$RegKey'" foreach ($appKeyName in $RegBase.OpenSubKey($RegKey).GetSubKeyNames()) { Write-Verbose "`t'$appKeyName'" $ObjectProperty = [ordered]@{} foreach ($CurrentProperty in $SelectProperty) { Write-Verbose "`t`tGetting value of '$CurrentProperty' in '$RegKey$appKeyName'" $ObjectProperty.$CurrentProperty = ($RegBase.OpenSubKey("$RegKey$appKeyName")).GetValue($CurrentProperty) } if (!$ObjectProperty.DisplayName) { # Skipping. There are some weird records in registry key that are not related to any app" continue } $ObjectProperty.ComputerName = $env:COMPUTERNAME # create final object $appObj = New-Object -TypeName PSCustomObject -Property $ObjectProperty if ($appName) { $appNameRegex = $appName | % { [regex]::Escape($_) } $appNameRegex = $appNameRegex -join "|" $appObj = $appObj | ? { $_.DisplayName -match $appNameRegex } } if (!$DontIgnoreUpdates) { $appObj = $appObj | ? { $_.DisplayName -notlike "*Update for Microsoft*" -and $_.DisplayName -notlike "Security Update*" } } $appObj } } } $param = @{ scriptBlock = $scriptBlock ArgumentList = $property, $dontIgnoreUpdates, $appName } if ($computerName) { $param.computerName = $computerName $param.HideComputerName = $true } $result = Invoke-Command @param if ($computerName) { $result = $result | select * -ExcludeProperty RunspaceId } } END { if ($ogv) { $comp = $env:COMPUTERNAME if ($computerName) { $comp = $computerName } $result | Out-GridView -PassThru -Title "Installed software on $comp" } else { $result } } } function Get-SFCLogEvent { <# .SYNOPSIS Function for outputting SFC related lines from CBS.log. .DESCRIPTION Function for outputting SFC related lines from CBS.log. .PARAMETER computerName Remote computer name. .PARAMETER justError Output just lines that matches regex specified in $errorRegex .NOTES https://docs.microsoft.com/en-US/troubleshoot/windows-client/deployment/analyze-sfc-program-log-file-entries #> [CmdletBinding()] param( [string] $computerName , [switch] $justError ) $cbsLog = "$env:windir\logs\cbs\cbs.log" if ($computerName) { $cbsLog = "\\$computerName\$cbsLog" -replace ":", "$" } Write-Verbose "Log path $cbsLog" if (Test-Path $cbsLog) { Get-Content $cbsLog | Select-String -Pattern "\[SR\] .*" | % { if (!$justError -or ($justError -and ($_ | Select-String -Pattern "verify complete|Verifying \d+|Beginning Verify and Repair transaction" -NotMatch))) { $match = ([regex]"^(\d{4}-\d{2}-\d{2} \d+:\d+:\d+), (\w+) \s+(.+)\[SR\] (.+)$").Match($_) [PSCustomObject]@{ Date = Get-Date ($match.Captures.groups[1].value) Type = $match.Captures.groups[2].value Message = $match.Captures.groups[4].value } } } if ($justError) { Write-Warning "If didn't returned anything, command 'sfc /scannow' haven't been run here or there are no errors (regex: $errorRegex)" } else { Write-Warning "If didn't returned anything, command 'sfc /scannow' probably haven't been run here" } } else { Write-Warning "Log $cbsLog is missing. Run 'sfc /scannow' to create it" } } function Invoke-AsLoggedUser { <# .SYNOPSIS Function for running specified code under all logged users (impersonate the currently logged on user). Common use case is when code is running under SYSTEM and you need to run something under logged users (to modify user registry etc). .DESCRIPTION Function for running specified code under all logged users (impersonate the currently logged on user). Common use case is when code is running under SYSTEM and you need to run something under logged users (to modify user registry etc). You have to run this under SYSTEM account, or ADMIN account (but in such case helper sched. task will be created, content to run will be saved to disk and called from sched. task under SYSTEM account). Helper files and sched. tasks are automatically deleted. .PARAMETER ScriptBlock Scriptblock that should be run under logged users. .PARAMETER ComputerName Name of computer, where to run this. If specified, psremoting will be used to connect, this function with scriptBlock to run will be saved to disk and run through helper scheduled task under SYSTEM account. .PARAMETER ReturnTranscript Return output of the scriptBlock being run. .PARAMETER NoWait Don't wait for scriptBlock code finish. .PARAMETER UseWindowsPowerShell Use default PowerShell exe instead of of the one, this was launched under. .PARAMETER NonElevatedSession Run non elevated. .PARAMETER Visible Parameter description .PARAMETER CacheToDisk Necessity for long scriptBlocks. Content will be saved to disk and run from there. .PARAMETER Argument If you need to pass some variables to the scriptBlock. Hashtable where keys will be names of variables and values will be, well values :) Example: [hashtable]$Argument = @{ name = "John" cities = "Boston", "Prague" hash = @{var1 = 'value1','value11'; var2 = @{ key ='value' }} } Will in beginning of the scriptBlock define variables: $name = 'John' $cities = 'Boston', 'Prague' $hash = @{var1 = 'value1','value11'; var2 = @{ key ='value' } ! ONLY STRING, ARRAY and HASHTABLE variables are supported ! .EXAMPLE Invoke-AsLoggedUser {New-Item C:\temp\$env:username} On local computer will call given scriptblock under all logged users. .EXAMPLE Invoke-AsLoggedUser {New-Item "$env:USERPROFILE\$name"} -computerName PC-01 -ReturnTranscript -Argument @{name = 'someFolder'} -Verbose On computer PC-01 will call given scriptblock under all logged users i.e. will create folder 'someFolder' in root of each user profile. Transcript of the run scriptBlock will be outputted in console too. .NOTES Based on https://github.com/KelvinTegelaar/RunAsUser #> [CmdletBinding()] param ( [Parameter(Mandatory = $true)] [scriptblock]$ScriptBlock, [Parameter(Mandatory = $false)] [string] $ComputerName, [Parameter(Mandatory = $false)] [switch] $ReturnTranscript, [Parameter(Mandatory = $false)] [switch]$NoWait, [Parameter(Mandatory = $false)] [switch]$UseWindowsPowerShell, [Parameter(Mandatory = $false)] [switch]$NonElevatedSession, [Parameter(Mandatory = $false)] [switch]$Visible, [Parameter(Mandatory = $false)] [switch]$CacheToDisk, [Parameter(Mandatory = $false)] [hashtable]$Argument ) if ($ReturnTranscript -and $NoWait) { throw "It is not possible to return transcript if you don't want to wait for code finish" } #region variables $TranscriptPath = "C:\78943728TEMP63287789\Invoke-AsLoggedUser.log" #endregion variables #region functions function Create-VariableTextDefinition { <# .SYNOPSIS Function will convert hashtable content to text definition of variables, where hash key is name of variable and hash value is therefore value of this new variable. .PARAMETER hashTable HashTable which content will be transformed to variables .PARAMETER returnHashItself Returns text representation of hashTable parameter value itself. .EXAMPLE [hashtable]$Argument = @{ string = "jmeno" array = "neco", "necojineho" hash = @{var1 = 'value1','value11'; var2 = @{ key ='value' }} } Create-VariableTextDefinition $Argument #> [CmdletBinding()] [Parameter(Mandatory = $true)] param ( [hashtable] $hashTable , [switch] $returnHashItself ) function _convertToStringRepresentation { param ($object) $type = $object.gettype() if (($type.Name -eq 'Object[]' -and $type.BaseType.Name -eq 'Array') -or ($type.Name -eq 'ArrayList')) { Write-Verbose "array" ($object | % { _convertToStringRepresentation $_ }) -join ", " } elseif ($type.Name -eq 'HashTable' -and $type.BaseType.Name -eq 'Object') { Write-Verbose "hash" $hashContent = $object.getenumerator() | % { '{0} = {1};' -f $_.key, (_convertToStringRepresentation $_.value) } "@{$hashContent}" } elseif ($type.Name -eq 'String') { Write-Verbose "string" "'$object'" } else { throw "undefined type" } } if ($returnHashItself) { _convertToStringRepresentation $hashTable } else { $hashTable.GetEnumerator() | % { $variableName = $_.Key $variableValue = _convertToStringRepresentation $_.value "`$$variableName = $variableValue" } } } function Get-LoggedOnUser { quser | Select-Object -Skip 1 | ForEach-Object { $CurrentLine = $_.Trim() -Replace '\s+', ' ' -Split '\s' $HashProps = @{ UserName = $CurrentLine[0] ComputerName = $env:COMPUTERNAME } # If session is disconnected different fields will be selected if ($CurrentLine[2] -eq 'Disc') { $HashProps.SessionName = $null $HashProps.Id = $CurrentLine[1] $HashProps.State = $CurrentLine[2] $HashProps.IdleTime = $CurrentLine[3] $HashProps.LogonTime = $CurrentLine[4..6] -join ' ' } else { $HashProps.SessionName = $CurrentLine[1] $HashProps.Id = $CurrentLine[2] $HashProps.State = $CurrentLine[3] $HashProps.IdleTime = $CurrentLine[4] $HashProps.LogonTime = $CurrentLine[5..7] -join ' ' } $obj = New-Object -TypeName PSCustomObject -Property $HashProps | Select-Object -Property UserName, ComputerName, SessionName, Id, State, IdleTime, LogonTime #insert a new type name for the object $obj.psobject.Typenames.Insert(0, 'My.GetLoggedOnUser') $obj } } function _Invoke-AsLoggedUser { if (!("RunAsUser.ProcessExtensions" -as [type])) { $source = @" using Microsoft.Win32.SafeHandles; using System; using System.Runtime.InteropServices; using System.Text; namespace RunAsUser { internal class NativeHelpers { [StructLayout(LayoutKind.Sequential)] public struct PROCESS_INFORMATION { public IntPtr hProcess; public IntPtr hThread; public int dwProcessId; public int dwThreadId; } [StructLayout(LayoutKind.Sequential)] public struct STARTUPINFO { public int cb; public String lpReserved; public String lpDesktop; public String lpTitle; public uint dwX; public uint dwY; public uint dwXSize; public uint dwYSize; public uint dwXCountChars; public uint dwYCountChars; public uint dwFillAttribute; public uint dwFlags; public short wShowWindow; public short cbReserved2; public IntPtr lpReserved2; public IntPtr hStdInput; public IntPtr hStdOutput; public IntPtr hStdError; } [StructLayout(LayoutKind.Sequential)] public struct WTS_SESSION_INFO { public readonly UInt32 SessionID; [MarshalAs(UnmanagedType.LPStr)] public readonly String pWinStationName; public readonly WTS_CONNECTSTATE_CLASS State; } } internal class NativeMethods { [DllImport("kernel32", SetLastError=true)] public static extern int WaitForSingleObject( IntPtr hHandle, int dwMilliseconds); [DllImport("kernel32.dll", SetLastError = true)] public static extern bool CloseHandle( IntPtr hSnapshot); [DllImport("userenv.dll", SetLastError = true)] public static extern bool CreateEnvironmentBlock( ref IntPtr lpEnvironment, SafeHandle hToken, bool bInherit); [DllImport("advapi32.dll", SetLastError = true, CharSet = CharSet.Unicode)] public static extern bool CreateProcessAsUserW( SafeHandle hToken, String lpApplicationName, StringBuilder lpCommandLine, IntPtr lpProcessAttributes, IntPtr lpThreadAttributes, bool bInheritHandle, uint dwCreationFlags, IntPtr lpEnvironment, String lpCurrentDirectory, ref NativeHelpers.STARTUPINFO lpStartupInfo, out NativeHelpers.PROCESS_INFORMATION lpProcessInformation); [DllImport("userenv.dll", SetLastError = true)] [return: MarshalAs(UnmanagedType.Bool)] public static extern bool DestroyEnvironmentBlock( IntPtr lpEnvironment); [DllImport("advapi32.dll", SetLastError = true)] public static extern bool DuplicateTokenEx( SafeHandle ExistingTokenHandle, uint dwDesiredAccess, IntPtr lpThreadAttributes, SECURITY_IMPERSONATION_LEVEL ImpersonationLevel, TOKEN_TYPE TokenType, out SafeNativeHandle DuplicateTokenHandle); [DllImport("advapi32.dll", SetLastError = true)] public static extern bool GetTokenInformation( SafeHandle TokenHandle, uint TokenInformationClass, SafeMemoryBuffer TokenInformation, int TokenInformationLength, out int ReturnLength); [DllImport("wtsapi32.dll", CharSet = CharSet.Unicode, SetLastError = true)] public static extern bool WTSEnumerateSessions( IntPtr hServer, int Reserved, int Version, ref IntPtr ppSessionInfo, ref int pCount); [DllImport("wtsapi32.dll")] public static extern void WTSFreeMemory( IntPtr pMemory); [DllImport("kernel32.dll")] public static extern uint WTSGetActiveConsoleSessionId(); [DllImport("Wtsapi32.dll", SetLastError = true)] public static extern bool WTSQueryUserToken( uint SessionId, out SafeNativeHandle phToken); } internal class SafeMemoryBuffer : SafeHandleZeroOrMinusOneIsInvalid { public SafeMemoryBuffer(int cb) : base(true) { base.SetHandle(Marshal.AllocHGlobal(cb)); } public SafeMemoryBuffer(IntPtr handle) : base(true) { base.SetHandle(handle); } protected override bool ReleaseHandle() { Marshal.FreeHGlobal(handle); return true; } } internal class SafeNativeHandle : SafeHandleZeroOrMinusOneIsInvalid { public SafeNativeHandle() : base(true) { } public SafeNativeHandle(IntPtr handle) : base(true) { this.handle = handle; } protected override bool ReleaseHandle() { return NativeMethods.CloseHandle(handle); } } internal enum SECURITY_IMPERSONATION_LEVEL { SecurityAnonymous = 0, SecurityIdentification = 1, SecurityImpersonation = 2, SecurityDelegation = 3, } internal enum SW { SW_HIDE = 0, SW_SHOWNORMAL = 1, SW_NORMAL = 1, SW_SHOWMINIMIZED = 2, SW_SHOWMAXIMIZED = 3, SW_MAXIMIZE = 3, SW_SHOWNOACTIVATE = 4, SW_SHOW = 5, SW_MINIMIZE = 6, SW_SHOWMINNOACTIVE = 7, SW_SHOWNA = 8, SW_RESTORE = 9, SW_SHOWDEFAULT = 10, SW_MAX = 10 } internal enum TokenElevationType { TokenElevationTypeDefault = 1, TokenElevationTypeFull, TokenElevationTypeLimited, } internal enum TOKEN_TYPE { TokenPrimary = 1, TokenImpersonation = 2 } internal enum WTS_CONNECTSTATE_CLASS { WTSActive, WTSConnected, WTSConnectQuery, WTSShadow, WTSDisconnected, WTSIdle, WTSListen, WTSReset, WTSDown, WTSInit } public class Win32Exception : System.ComponentModel.Win32Exception { private string _msg; public Win32Exception(string message) : this(Marshal.GetLastWin32Error(), message) { } public Win32Exception(int errorCode, string message) : base(errorCode) { _msg = String.Format("{0} ({1}, Win32ErrorCode {2} - 0x{2:X8})", message, base.Message, errorCode); } public override string Message { get { return _msg; } } public static explicit operator Win32Exception(string message) { return new Win32Exception(message); } } public static class ProcessExtensions { #region Win32 Constants private const int CREATE_UNICODE_ENVIRONMENT = 0x00000400; private const int CREATE_NO_WINDOW = 0x08000000; private const int CREATE_NEW_CONSOLE = 0x00000010; private const uint INVALID_SESSION_ID = 0xFFFFFFFF; private static readonly IntPtr WTS_CURRENT_SERVER_HANDLE = IntPtr.Zero; #endregion // Gets the user token from the currently active session private static SafeNativeHandle GetSessionUserToken(bool elevated) { var activeSessionId = INVALID_SESSION_ID; var pSessionInfo = IntPtr.Zero; var sessionCount = 0; // Get a handle to the user access token for the current active session. if (NativeMethods.WTSEnumerateSessions(WTS_CURRENT_SERVER_HANDLE, 0, 1, ref pSessionInfo, ref sessionCount)) { try { var arrayElementSize = Marshal.SizeOf(typeof(NativeHelpers.WTS_SESSION_INFO)); var current = pSessionInfo; for (var i = 0; i < sessionCount; i++) { var si = (NativeHelpers.WTS_SESSION_INFO)Marshal.PtrToStructure( current, typeof(NativeHelpers.WTS_SESSION_INFO)); current = IntPtr.Add(current, arrayElementSize); if (si.State == WTS_CONNECTSTATE_CLASS.WTSActive) { activeSessionId = si.SessionID; break; } } } finally { NativeMethods.WTSFreeMemory(pSessionInfo); } } // If enumerating did not work, fall back to the old method if (activeSessionId == INVALID_SESSION_ID) { activeSessionId = NativeMethods.WTSGetActiveConsoleSessionId(); } SafeNativeHandle hImpersonationToken; if (!NativeMethods.WTSQueryUserToken(activeSessionId, out hImpersonationToken)) { throw new Win32Exception("WTSQueryUserToken failed to get access token."); } using (hImpersonationToken) { // First see if the token is the full token or not. If it is a limited token we need to get the // linked (full/elevated token) and use that for the CreateProcess task. If it is already the full or // default token then we already have the best token possible. TokenElevationType elevationType = GetTokenElevationType(hImpersonationToken); if (elevationType == TokenElevationType.TokenElevationTypeLimited && elevated == true) { using (var linkedToken = GetTokenLinkedToken(hImpersonationToken)) return DuplicateTokenAsPrimary(linkedToken); } else { return DuplicateTokenAsPrimary(hImpersonationToken); } } } public static int StartProcessAsCurrentUser(string appPath, string cmdLine = null, string workDir = null, bool visible = true,int wait = -1, bool elevated = true) { using (var hUserToken = GetSessionUserToken(elevated)) { var startInfo = new NativeHelpers.STARTUPINFO(); startInfo.cb = Marshal.SizeOf(startInfo); uint dwCreationFlags = CREATE_UNICODE_ENVIRONMENT | (uint)(visible ? CREATE_NEW_CONSOLE : CREATE_NO_WINDOW); startInfo.wShowWindow = (short)(visible ? SW.SW_SHOW : SW.SW_HIDE); //startInfo.lpDesktop = "winsta0\\default"; IntPtr pEnv = IntPtr.Zero; if (!NativeMethods.CreateEnvironmentBlock(ref pEnv, hUserToken, false)) { throw new Win32Exception("CreateEnvironmentBlock failed."); } try { StringBuilder commandLine = new StringBuilder(cmdLine); var procInfo = new NativeHelpers.PROCESS_INFORMATION(); if (!NativeMethods.CreateProcessAsUserW(hUserToken, appPath, // Application Name commandLine, // Command Line IntPtr.Zero, IntPtr.Zero, false, dwCreationFlags, pEnv, workDir, // Working directory ref startInfo, out procInfo)) { throw new Win32Exception("CreateProcessAsUser failed."); } try { NativeMethods.WaitForSingleObject( procInfo.hProcess, wait); return procInfo.dwProcessId; } finally { NativeMethods.CloseHandle(procInfo.hThread); NativeMethods.CloseHandle(procInfo.hProcess); } } finally { NativeMethods.DestroyEnvironmentBlock(pEnv); } } } private static SafeNativeHandle DuplicateTokenAsPrimary(SafeHandle hToken) { SafeNativeHandle pDupToken; if (!NativeMethods.DuplicateTokenEx(hToken, 0, IntPtr.Zero, SECURITY_IMPERSONATION_LEVEL.SecurityImpersonation, TOKEN_TYPE.TokenPrimary, out pDupToken)) { throw new Win32Exception("DuplicateTokenEx failed."); } return pDupToken; } private static TokenElevationType GetTokenElevationType(SafeHandle hToken) { using (SafeMemoryBuffer tokenInfo = GetTokenInformation(hToken, 18)) { return (TokenElevationType)Marshal.ReadInt32(tokenInfo.DangerousGetHandle()); } } private static SafeNativeHandle GetTokenLinkedToken(SafeHandle hToken) { using (SafeMemoryBuffer tokenInfo = GetTokenInformation(hToken, 19)) { return new SafeNativeHandle(Marshal.ReadIntPtr(tokenInfo.DangerousGetHandle())); } } private static SafeMemoryBuffer GetTokenInformation(SafeHandle hToken, uint infoClass) { int returnLength; bool res = NativeMethods.GetTokenInformation(hToken, infoClass, new SafeMemoryBuffer(IntPtr.Zero), 0, out returnLength); int errCode = Marshal.GetLastWin32Error(); if (!res && errCode != 24 && errCode != 122) // ERROR_INSUFFICIENT_BUFFER, ERROR_BAD_LENGTH { throw new Win32Exception(errCode, String.Format("GetTokenInformation({0}) failed to get buffer length", infoClass)); } SafeMemoryBuffer tokenInfo = new SafeMemoryBuffer(returnLength); if (!NativeMethods.GetTokenInformation(hToken, infoClass, tokenInfo, returnLength, out returnLength)) throw new Win32Exception(String.Format("GetTokenInformation({0}) failed", infoClass)); return tokenInfo; } } } "@ Add-Type -TypeDefinition $source -Language CSharp } if ($CacheToDisk) { $ScriptGuid = New-Guid $null = New-Item "$($ENV:TEMP)\$($ScriptGuid).ps1" -Value $ScriptBlock -Force $pwshcommand = "-ExecutionPolicy Bypass -Window Normal -file `"$($ENV:TEMP)\$($ScriptGuid).ps1`"" } else { $encodedcommand = [Convert]::ToBase64String([System.Text.Encoding]::Unicode.GetBytes($ScriptBlock)) $pwshcommand = "-ExecutionPolicy Bypass -Window Normal -EncodedCommand $($encodedcommand)" } $OSLevel = (Get-ItemProperty "HKLM:\SOFTWARE\Microsoft\Windows NT\CurrentVersion").CurrentVersion if ($OSLevel -lt 6.2) { $MaxLength = 8190 } else { $MaxLength = 32767 } if ($encodedcommand.length -gt $MaxLength -and $CacheToDisk -eq $false) { Write-Error -Message "The encoded script is longer than the command line parameter limit. Please execute the script with the -CacheToDisk option." return } $privs = whoami /priv /fo csv | ConvertFrom-Csv | Where-Object { $_.'Privilege Name' -eq 'SeDelegateSessionUserImpersonatePrivilege' } if ($privs.State -eq "Disabled") { Write-Error -Message "Not running with correct privilege. You must run this script as system or have the SeDelegateSessionUserImpersonatePrivilege token." return } else { try { # Use the same PowerShell executable as the one that invoked the function, Unless -UseWindowsPowerShell is defined if (!$UseWindowsPowerShell) { $pwshPath = (Get-Process -Id $pid).Path } else { $pwshPath = "$($ENV:windir)\system32\WindowsPowerShell\v1.0\powershell.exe" } if ($NoWait) { $ProcWaitTime = 1 } else { $ProcWaitTime = -1 } if ($NonElevatedSession) { $RunAsAdmin = $false } else { $RunAsAdmin = $true } [RunAsUser.ProcessExtensions]::StartProcessAsCurrentUser( $pwshPath, "`"$pwshPath`" $pwshcommand", (Split-Path $pwshPath -Parent), $Visible, $ProcWaitTime, $RunAsAdmin) if ($CacheToDisk) { $null = Remove-Item "$($ENV:TEMP)\$($ScriptGuid).ps1" -Force } } catch { Write-Error -Message "Could not execute as currently logged on user: $($_.Exception.Message)" -Exception $_.Exception return } } } #endregion functions #region prepare Invoke-Command parameters # export this function to remote session (so I am not dependant whether it exists there or not) $allFunctionDefs = "function Invoke-AsLoggedUser { ${function:Invoke-AsLoggedUser} }; function Create-VariableTextDefinition { ${function:Create-VariableTextDefinition} }; function Get-LoggedOnUser { ${function:Get-LoggedOnUser} }" $param = @{ argumentList = $scriptBlock, $NoWait, $UseWindowsPowerShell, $NonElevatedSession, $Visible, $CacheToDisk, $allFunctionDefs, $VerbosePreference, $ReturnTranscript, $Argument } if ($computerName -and $computerName -notmatch "localhost|$env:COMPUTERNAME") { $param.computerName = $computerName } #endregion prepare Invoke-Command parameters #region rights checks $hasAdminRights = ([Security.Principal.WindowsPrincipal] [Security.Principal.WindowsIdentity]::GetCurrent()).IsInRole([Security.Principal.WindowsBuiltInRole] "Administrator") $hasSystemRights = whoami /priv /fo csv | ConvertFrom-Csv | Where-Object { $_.'Privilege Name' -eq 'SeDelegateSessionUserImpersonatePrivilege' -and $_.State -eq "Enabled" } #HACK in remote session this detection incorrectly shows that I have rights, but than function will fail anyway if ((Get-Host).name -eq "ServerRemoteHost") { $hasSystemRights = $false } Write-Verbose "ADMIN: $hasAdminRights SYSTEM: $hasSystemRights" #endregion rights checks if ($param.computerName) { Write-Verbose "Will be run on remote computer $computerName" Invoke-Command @param -ScriptBlock { param ($scriptBlock, $NoWait, $UseWindowsPowerShell, $NonElevatedSession, $Visible, $CacheToDisk, $allFunctionDefs, $VerbosePreference, $ReturnTranscript, $Argument) foreach ($functionDef in $allFunctionDefs) { . ([ScriptBlock]::Create($functionDef)) } # check that there is someone logged if ((Get-LoggedOnUser).state -notcontains "Active") { Write-Warning "On $env:COMPUTERNAME is no user logged in" return } # convert passed string back to scriptblock $scriptBlock = [Scriptblock]::Create($scriptBlock) $param = @{scriptBlock = $scriptBlock } if ($VerbosePreference -eq "Continue") { $param.verbose = $true } if ($NoWait) { $param.NoWait = $NoWait } if ($UseWindowsPowerShell) { $param.UseWindowsPowerShell = $UseWindowsPowerShell } if ($NonElevatedSession) { $param.NonElevatedSession = $NonElevatedSession } if ($Visible) { $param.Visible = $Visible } if ($CacheToDisk) { $param.CacheToDisk = $CacheToDisk } if ($ReturnTranscript) { $param.ReturnTranscript = $ReturnTranscript } if ($Argument) { $param.Argument = $Argument } # run again "locally" on remote computer Invoke-AsLoggedUser @param } } elseif (!$ComputerName -and !$hasSystemRights -and $hasAdminRights) { # create helper sched. task, that will under SYSTEM account run given scriptblock using Invoke-AsLoggedUser Write-Verbose "Running locally as ADMIN" # create helper script, that will be called from sched. task under SYSTEM account if ($VerbosePreference -eq "Continue") { $VerboseParam = "-Verbose" } if ($ReturnTranscript) { $ReturnTranscriptParam = "-ReturnTranscript" } if ($NoWait) { $NoWaitParam = "-NoWait" } if ($UseWindowsPowerShell) { $UseWindowsPowerShellParam = "-UseWindowsPowerShell" } if ($NonElevatedSession) { $NonElevatedSessionParam = "-NonElevatedSession" } if ($Visible) { $VisibleParam = "-Visible" } if ($CacheToDisk) { $CacheToDiskParam = "-CacheToDisk" } if ($Argument) { $ArgumentHashText = Create-VariableTextDefinition $Argument -returnHashItself $ArgumentParam = "-Argument $ArgumentHashText" } $helperScriptText = @" # define function Invoke-AsLoggedUser $allFunctionDefs `$scriptBlockText = @' $($ScriptBlock.ToString()) '@ # transform string to scriptblock `$scriptBlock = [Scriptblock]::Create(`$scriptBlockText) # run scriptblock under all local logged users Invoke-AsLoggedUser -ScriptBlock `$scriptblock $VerboseParam $ReturnTranscriptParam $NoWaitParam $UseWindowsPowerShellParam $NonElevatedSessionParam $VisibleParam $CacheToDiskParam $ArgumentParam "@ Write-Verbose "####### HELPER SCRIPT TEXT" Write-Verbose $helperScriptText Write-Verbose "####### END" $tmpScript = "$env:windir\Temp\$(Get-Random).ps1" Write-Verbose "Creating helper script $tmpScript" $helperScriptText | Out-File -FilePath $tmpScript -Force -Encoding utf8 # create helper sched. task $taskName = "RunAsUser_" + (Get-Random) Write-Verbose "Creating helper scheduled task $taskName" $taskSettings = New-ScheduledTaskSettingsSet -AllowStartIfOnBatteries -DontStopIfGoingOnBatteries -DontStopOnIdleEnd $taskAction = New-ScheduledTaskAction -Execute "PowerShell.exe" -Argument "-NoProfile -NoLogo -NonInteractive -ExecutionPolicy Bypass -File `"$tmpScript`"" Register-ScheduledTask -TaskName $taskName -User "NT AUTHORITY\SYSTEM" -Action $taskAction -RunLevel Highest -Settings $taskSettings -Force | Out-Null # start helper sched. task Write-Verbose "Starting helper scheduled task $taskName" Start-ScheduledTask $taskName # wait for helper sched. task finish while ((Get-ScheduledTask $taskName -ErrorAction silentlyContinue).state -ne "Ready") { Write-Warning "Waiting for task $taskName to finish" Start-Sleep -Milliseconds 200 } if (($lastTaskResult = (Get-ScheduledTaskInfo $taskName).lastTaskResult) -ne 0) { Write-Error "Task failed with error $lastTaskResult" } # delete helper sched. task Write-Verbose "Removing helper scheduled task $taskName" Unregister-ScheduledTask -TaskName $taskName -Confirm:$false # delete helper script Write-Verbose "Removing helper script $tmpScript" Remove-Item $tmpScript -Force # read & delete transcript if ($ReturnTranscript) { # return just interesting part of transcript if (Test-Path $TranscriptPath) { $transcriptContent = (Get-Content $TranscriptPath -Raw) -Split [regex]::escape('**********************') # return user name, under which command was run $runUnder = $transcriptContent[1] -split "`n" | ? { $_ -match "Username: " } | % { ($_ -replace "Username: ").trim() } Write-Warning "Command run under: $runUnder" # return command output ($transcriptContent[2] -split "`n" | Select-Object -Skip 2 | Select-Object -SkipLast 3) -join "`n" Remove-Item (Split-Path $TranscriptPath -Parent) -Recurse -Force } else { Write-Warning "There is no transcript, command probably failed!" } } } elseif (!$ComputerName -and !$hasSystemRights -and !$hasAdminRights) { throw "Insufficient rights (not ADMIN nor SYSTEM)" } elseif (!$ComputerName -and $hasSystemRights) { Write-Verbose "Running locally as SYSTEM" if ($Argument -or $ReturnTranscript) { # define passed variables if ($Argument) { # convert hash to variables text definition $VariableTextDef = Create-VariableTextDefinition $Argument } if ($ReturnTranscript) { # modify scriptBlock to contain creation of transcript #TODO pro kazdeho uzivatele samostatny transcript a pak je vsechny zobrazit $TranscriptStart = "Start-Transcript $TranscriptPath -Append" # append because code can run under more than one user at a time $TranscriptEnd = 'Stop-Transcript' } $ScriptBlockContent = ($TranscriptStart + "`n`n" + $VariableTextDef + "`n`n" + $ScriptBlock.ToString() + "`n`n" + $TranscriptStop) Write-Verbose "####### SCRIPTBLOCK TO RUN" Write-Verbose $ScriptBlockContent Write-Verbose "#######" $scriptBlock = [Scriptblock]::Create($ScriptBlockContent) } _Invoke-AsLoggedUser } else { throw "undefined" } } function Invoke-AsSystem { <# .SYNOPSIS Function for running specified code under SYSTEM account. .DESCRIPTION Function for running specified code under SYSTEM account. Helper files and sched. tasks are automatically deleted. .PARAMETER scriptBlock Scriptblock that should be run under SYSTEM account. .PARAMETER computerName Name of computer, where to run this. .PARAMETER returnTranscript Add creating of transcript to specified scriptBlock and returns its output. .PARAMETER cacheToDisk Necessity for long scriptBlocks. Content will be saved to disk and run from there. .PARAMETER argument If you need to pass some variables to the scriptBlock. Hashtable where keys will be names of variables and values will be, well values :) Example: [hashtable]$Argument = @{ name = "John" cities = "Boston", "Prague" hash = @{var1 = 'value1','value11'; var2 = @{ key ='value' }} } Will in beginning of the scriptBlock define variables: $name = 'John' $cities = 'Boston', 'Prague' $hash = @{var1 = 'value1','value11'; var2 = @{ key ='value' } ! ONLY STRING, ARRAY and HASHTABLE variables are supported ! .PARAMETER runAs Let you change if scriptBlock should be running under SYSTEM, LOCALSERVICE or NETWORKSERVICE account. Default is SYSTEM. .EXAMPLE Invoke-AsSystem {New-Item $env:TEMP\abc} On local computer will call given scriptblock under SYSTEM account. .EXAMPLE Invoke-AsSystem {New-Item "$env:TEMP\$name"} -computerName PC-01 -ReturnTranscript -Argument @{name = 'someFolder'} -Verbose On computer PC-01 will call given scriptblock under SYSTEM account i.e. will create folder 'someFolder' in C:\Windows\Temp. Transcript will be outputted in console too. #> [CmdletBinding()] param ( [Parameter(Mandatory = $true)] [scriptblock] $scriptBlock, [string] $computerName, [switch] $returnTranscript, [hashtable] $argument, [ValidateSet('SYSTEM', 'NETWORKSERVICE', 'LOCALSERVICE')] [string] $runAs = "SYSTEM", [switch] $CacheToDisk ) (Get-Variable runAs).Attributes.Clear() $runAs = "NT Authority\$runAs" #region prepare Invoke-Command parameters # export this function to remote session (so I am not dependant whether it exists there or not) $allFunctionDefs = "function Create-VariableTextDefinition { ${function:Create-VariableTextDefinition} }" $param = @{ argumentList = $scriptBlock, $runAs, $CacheToDisk, $allFunctionDefs, $VerbosePreference, $ReturnTranscript, $Argument } if ($computerName -and $computerName -notmatch "localhost|$env:COMPUTERNAME") { $param.computerName = $computerName } else { if (! ([Security.Principal.WindowsPrincipal] [Security.Principal.WindowsIdentity]::GetCurrent()).IsInRole([Security.Principal.WindowsBuiltInRole] "Administrator")) { throw "You don't have administrator rights" } } #endregion prepare Invoke-Command parameters Invoke-Command @param -ScriptBlock { param ($scriptBlock, $runAs, $CacheToDisk, $allFunctionDefs, $VerbosePreference, $ReturnTranscript, $Argument) foreach ($functionDef in $allFunctionDefs) { . ([ScriptBlock]::Create($functionDef)) } $TranscriptPath = "$ENV:TEMP\Invoke-AsSYSTEM_$(Get-Random).log" if ($Argument -or $ReturnTranscript) { # define passed variables if ($Argument) { # convert hash to variables text definition $VariableTextDef = Create-VariableTextDefinition $Argument } if ($ReturnTranscript) { # modify scriptBlock to contain creation of transcript $TranscriptStart = "Start-Transcript $TranscriptPath" $TranscriptEnd = 'Stop-Transcript' } $ScriptBlockContent = ($TranscriptStart + "`n`n" + $VariableTextDef + "`n`n" + $ScriptBlock.ToString() + "`n`n" + $TranscriptStop) Write-Verbose "####### SCRIPTBLOCK TO RUN" Write-Verbose $ScriptBlockContent Write-Verbose "#######" $scriptBlock = [Scriptblock]::Create($ScriptBlockContent) } if ($CacheToDisk) { $ScriptGuid = New-Guid $null = New-Item "$($ENV:TEMP)\$($ScriptGuid).ps1" -Value $ScriptBlock -Force $pwshcommand = "-ExecutionPolicy Bypass -Window Hidden -noprofile -file `"$($ENV:TEMP)\$($ScriptGuid).ps1`"" } else { $encodedcommand = [Convert]::ToBase64String([System.Text.Encoding]::Unicode.GetBytes($ScriptBlock)) $pwshcommand = "-ExecutionPolicy Bypass -Window Hidden -noprofile -EncodedCommand $($encodedcommand)" } $OSLevel = (Get-ItemProperty "HKLM:\SOFTWARE\Microsoft\Windows NT\CurrentVersion").CurrentVersion if ($OSLevel -lt 6.2) { $MaxLength = 8190 } else { $MaxLength = 32767 } if ($encodedcommand.length -gt $MaxLength -and $CacheToDisk -eq $false) { throw "The encoded script is longer than the command line parameter limit. Please execute the script with the -CacheToDisk option." } try { #region create&run sched. task $A = New-ScheduledTaskAction -Execute "$($ENV:windir)\system32\WindowsPowerShell\v1.0\powershell.exe" -Argument $pwshcommand if ($runAs -match "\$") { # pod gMSA uctem $P = New-ScheduledTaskPrincipal -UserId $runAs -LogonType Password } else { # pod systemovym uctem $P = New-ScheduledTaskPrincipal -UserId $runAs -LogonType ServiceAccount } $S = New-ScheduledTaskSettingsSet -AllowStartIfOnBatteries -DontStopIfGoingOnBatteries -DontStopOnIdleEnd $taskName = "RunAsSystem_" + (Get-Random) try { $null = New-ScheduledTask -Action $A -Principal $P -Settings $S -ea Stop | Register-ScheduledTask -Force -TaskName $taskName -ea Stop } catch { if ($_ -match "No mapping between account names and security IDs was done") { throw "Account $runAs doesn't exist or cannot be used on $env:COMPUTERNAME" } else { throw "Unable to create helper scheduled task. Error was:`n$_" } } # run scheduled task Start-Sleep -Milliseconds 200 Start-ScheduledTask $taskName # wait for sched. task to end Write-Verbose "waiting on sched. task end ..." $i = 0 while (((Get-ScheduledTask $taskName -ErrorAction silentlyContinue).state -ne "Ready") -and $i -lt 500) { ++$i Start-Sleep -Milliseconds 200 } # get sched. task result code $result = (Get-ScheduledTaskInfo $taskName).LastTaskResult # read & delete transcript if ($ReturnTranscript) { # return just interesting part of transcript if (Test-Path $TranscriptPath) { $transcriptContent = (Get-Content $TranscriptPath -Raw) -Split [regex]::escape('**********************') # return command output ($transcriptContent[2] -split "`n" | Select-Object -Skip 2 | Select-Object -SkipLast 3) -join "`n" Remove-Item $TranscriptPath -Force } else { Write-Warning "There is no transcript, command probably failed!" } } if ($CacheToDisk) { $null = Remove-Item "$($ENV:TEMP)\$($ScriptGuid).ps1" -Force } try { Unregister-ScheduledTask $taskName -Confirm:$false -ea Stop } catch { throw "Unable to unregister sched. task $taskName. Please remove it manually" } if ($result -ne 0) { throw "Command wasn't successfully ended ($result)" } #endregion create&run sched. task } catch { throw $_.Exception } } } function Invoke-FileContentWatcher { <# .SYNOPSIS Function for monitoring file content. .DESCRIPTION Function for monitoring file content. Allows you to react on create of new line with specific content. Outputs line(s) that match searched string. .PARAMETER path Path to existing file that should be monitored. .PARAMETER searchString String that should be searched in newly added lines. .PARAMETER searchAsRegex Searched string is regex. .PARAMETER stopOnFirstMatch Switch for stopping search on first match. .EXAMPLE Invoke-FileContentWatcher -Path C:\temp\mylog.txt -searchString "Error occurred" Start monitoring of newly added lines in C:\temp\mylog.txt file. If some line should contain "Error occurred" string, whole line will be outputted into console. .EXAMPLE Invoke-FileContentWatcher -Path C:\temp\mylog.txt -searchString "Action finished" -stopOnFirstMatch Start monitoring of newly added lines in C:\temp\mylog.txt file. If some line should contain "Action finished" string, whole line will be outputted into console and function will end. #> [Alias("Watch-FileContent")] [CmdletBinding()] param ( [Parameter(Mandatory = $true)] [string] $path, [Parameter(Mandatory = $true)] [string] $searchString, [switch] $searchAsRegex, [switch] $stopOnFirstMatch ) $fileName = Split-Path $path -Leaf $jobName = "ContentWatcher_" + $fileName + "_" + (Get-Date).ToString('HH:mm.ss') $null = Start-Job -Name $jobName -ScriptBlock { param ($path, $searchString, $searchAsRegex) $gcParam = @{ Path = $path Wait = $true Tail = 0 # I am interested just in newly added lines ErrorAction = 'Stop' } if ($searchAsRegex) { Get-Content @gcParam | ? { $_ -match "$searchString" } } else { Get-Content @gcParam | ? { $_ -like "*$searchString*" } } } -ArgumentList $path, $searchString, $searchAsRegex while (1) { Start-Sleep -Milliseconds 300 if ((Get-Job -Name $jobName).state -eq 'Completed') { $result = Get-Job -Name $jobName | Receive-Job Get-Job -Name $jobName | Remove-Job -Force throw "Watcher $jobName failed with error: $result" } if (Get-Job -Name $jobName | Receive-Job -Keep) { # searched string was found $result = Get-Job -Name $jobName | Receive-Job if ($stopOnFirstMatch) { Get-Job -Name $jobName | Remove-Job -Force return $result } else { $result } } } } function Invoke-FileSystemWatcher { <# .SYNOPSIS Function for monitoring changes made in given folder. .DESCRIPTION Function for monitoring changes made in given folder. Thanks to Action parameter, you can react as you wish. .PARAMETER PathToMonitor Path to folder to watch. .PARAMETER Filter How should name of file/folder to watch look like. Same syntax as for -like operator. Default is '*'. .PARAMETER IncludeSubdirectories Switch for monitoring also changes in subfolders. .PARAMETER Action What should happen, when change is detected. Value should be string quoted by @''@. Default is: @' $details = $event.SourceEventArgs $Name = $details.Name $FullPath = $details.FullPath $OldFullPath = $details.OldFullPath $OldName = $details.OldName $ChangeType = $details.ChangeType $Timestamp = $event.TimeGenerated if ($ChangeType -eq "Renamed") { $text = "{0} was {1} at {2} to {3}" -f $FullPath, $ChangeType, $Timestamp, $Name } else { $text = "{0} was {1} at {2}" -f $FullPath, $ChangeType, $Timestamp } Write-Host $text '@ so outputting changes to console. .PARAMETER ChangeType What kind of actions should be monitored. Default is all i.e. "Created", "Changed", "Deleted", "Renamed" .PARAMETER NotifyFilter What kind of "sub" actions should be monitored. Can be used also to improve performance. More at https://docs.microsoft.com/en-us/dotnet/api/system.io.notifyfilters?view=netframework-4.8 For example: 'FileName', 'DirectoryName', 'LastWrite' .EXAMPLE Invoke-FileSystemWatcher C:\temp "*.txt" Just changes to txt files in root of temp folder will be monitored. Just changes in name of files and folders in temp folder and its subfolders will be outputted to console and send by email. #> [CmdletBinding()] [Alias("Watch-FileSystem")] param ( [Parameter(Mandatory = $true)] [ValidateScript( { If (Test-Path -Path $_ -PathType Container) { $true } else { Throw "$_ doesn't exist or it's not a folder." } })] [string] $PathToMonitor , [string] $Filter = "*" , [switch] $IncludeSubdirectories , [scriptblock] $Action = { $details = $event.SourceEventArgs $Name = $details.Name $FullPath = $details.FullPath $OldFullPath = $details.OldFullPath $OldName = $details.OldName $ChangeType = $details.ChangeType $Timestamp = $event.TimeGenerated if ($ChangeType -eq "Renamed") { $text = "{0} was {1} at {2} (previously {3})" -f $FullPath, $ChangeType, $Timestamp, $OldName } else { $text = "{0} was {1} at {2}" -f $FullPath, $ChangeType, $Timestamp } Write-Host $text } , [ValidateSet("Created", "Changed", "Deleted", "Renamed")] [string[]] $ChangeType = ("Created", "Changed", "Deleted", "Renamed") , [string[]] $NotifyFilter ) $FileSystemWatcher = New-Object System.IO.FileSystemWatcher $FileSystemWatcher.Path = $PathToMonitor if ($IncludeSubdirectories) { $FileSystemWatcher.IncludeSubdirectories = $true } if ($Filter) { $FileSystemWatcher.Filter = $Filter } if ($NotifyFilter) { $NotifyFilter = $NotifyFilter -join ', ' $FileSystemWatcher.NotifyFilter = [IO.NotifyFilters]$NotifyFilter } # Set emits events $FileSystemWatcher.EnableRaisingEvents = $true # Set event handlers $handlers = . { $changeType | % { Register-ObjectEvent -InputObject $FileSystemWatcher -EventName $_ -Action $Action -SourceIdentifier "FS$_" } } Write-Verbose "Watching for changes in $PathToMonitor where file/folder name like '$Filter'" try { do { Wait-Event -Timeout 1 } while ($true) } finally { # End script actions + CTRL+C executes the remove event handlers $changeType | % { Unregister-Event -SourceIdentifier "FS$_" } # Remaining cleanup $handlers | Remove-Job $FileSystemWatcher.EnableRaisingEvents = $false $FileSystemWatcher.Dispose() Write-Warning -Message 'Event Handler completed and disabled.' } } function Invoke-MSTSC { <# .SYNOPSIS Function for automatization of RDP connection to computer. By default it tries to read LAPS password and use it for connection (using cmdkey tool, that imports such credentials to Credential Manager temporarily). But can also be used for autofill of domain credentials (using AutoIt PowerShell module). .DESCRIPTION Function for automatization of RDP connection to computer. By default it tries to read LAPS password and use it for connection (using cmdkey tool, that imports such credentials to Credential Manager temporarily). But can also be used for autofill of domain credentials (using AutoIt PowerShell module). It has to be run from PowerShell console, that is running under account with permission for reading LAPS password! It uses AdmPwd.PS for getting LAPS password and AutoItx PowerShell module for automatic filling of credentials into mstsc.exe app for RDP, in case LAPS password wasn't retrieved or domain account is used. It is working only on English OS. .PARAMETER computerName Name of remote computer/s .PARAMETER useDomainAdminAccount Instead of local admin account, your domain account will be used. .PARAMETER credential Object with credentials, which should be used to authenticate to remote computer .PARAMETER port RDP port. Default is 3389 .PARAMETER admin Switch. Use admin RDP mode .PARAMETER restrictedAdmin Switch. Use restrictedAdmin mode .PARAMETER remoteGuard Switch. Use remoteGuard mode .PARAMETER multiMon Switch. Use multiMon .PARAMETER fullScreen Switch. Open in fullscreen .PARAMETER public Switch. Use public mode .PARAMETER width Width of window .PARAMETER height Heigh of windows .PARAMETER gateway What gateway to use .PARAMETER localAdmin What is the name of local administrator, that will be used for LAPS connection .EXAMPLE Invoke-MSTSC pc1 Run remote connection to pc1 using builtin administrator account and his LAPS password. .EXAMPLE Invoke-MSTSC pc1 -useDomainAdminAccount Run remote connection to pc1 using adm_<username> domain account. .EXAMPLE $credentials = Get-Credential Invoke-MSTSC pc1 -credential $credentials Run remote connection to pc1 using credentials stored in $credentials .NOTES Automatic filling is working only on english operating systems. Author: OndĹ™ej Ĺ ebela - ztrhgf@seznam.cz #> [CmdletBinding()] [Alias("rdp")] param ( [Parameter(Position = 0, ValueFromPipeline = $true, Mandatory = $True)] [ValidateNotNullOrEmpty()] $computerName , [switch] $useDomainAdminAccount , [PSCredential] $credential , [int] $port = 3389 , [switch] $admin , [switch] $restrictedAdmin , [switch] $remoteGuard , [switch] $multiMon , [switch] $fullScreen , [switch] $public , [int] $width , [int] $height , [string] $gateway , [string] $localAdmin = "administrator" ) begin { # remove validation ValidateNotNullOrEmpty (Get-Variable computerName).Attributes.Clear() try { $null = Import-Module AdmPwd.PS -ErrorAction Stop -Verbose:$false } catch { throw "Module AdmPwd.PS isn't available" } try { Write-Verbose "Get list of domain DCs" $DC = [System.Directoryservices.Activedirectory.Domain]::GetCurrentDomain().DomainControllers | ForEach-Object { ($_.name -split "\.")[0] } } catch { throw "Unable to contact your AD domain" } Write-Verbose "Get NETBIOS domain name" if (!$domainNetbiosName) { $domainNetbiosName = $env:userdomain if ($domainNetbiosName -eq $env:computername) { # function is running under local account therefore $env:userdomain cannot be used $domainNetbiosName = (Get-WmiObject Win32_NTDomain).DomainName # slow but gets the correct value } } Write-Verbose "Get domain name" if (!$domainName) { $domainName = (Get-WmiObject Win32_ComputerSystem).Domain } $defaultRDP = Join-Path $env:USERPROFILE "Documents\Default.rdp" if (Test-Path $defaultRDP -ErrorAction SilentlyContinue) { Write-Verbose "RDP settings from $defaultRDP will be used" } if ($computerName.GetType().name -ne 'string') { while ($choice -notmatch "[Y|N]") { $choice = Read-Host "Do you really want to connect to all these computers:($($computerName.count))? (Y|N)" } if ($choice -eq "N") { break } } if ($credential) { $UserName = $Credential.UserName $Password = $Credential.GetNetworkCredential().Password } elseif ($useDomainAdminAccount) { $dAdmin = $env:USERNAME $userName = "$domainNetbiosName\$dAdmin" } else { # no credentials were given, try to get LAPS password ++$tryLaps } # set MSTSC parameters switch ($true) { { $admin } { $mstscArguments += '/admin ' } { $restrictedAdmin } { $mstscArguments += '/restrictedAdmin ' } { $remoteGuard } { $mstscArguments += '/remoteGuard ' } { $multiMon } { $mstscArguments += '/multimon ' } { $fullScreen } { $mstscArguments += '/f ' } { $public } { $mstscArguments += '/public ' } { $width } { $mstscArguments += "/w:$width " } { $height } { $mstscArguments += "/h:$height " } { $gateway } { $mstscArguments += "/g:$gateway " } } $params = @{ filePath = "$($env:SystemRoot)\System32\mstsc.exe" } if ($mstscArguments) { $params.argumentList = $mstscArguments } } process { foreach ($computer in $computerName) { # get just hostname if ($computer -match "\d+\.\d+\.\d+\.\d+") { # it is IP $computerHostname = $computer } else { # it is hostname or fqdn $computerHostname = $computer.split('\.')[0] } $computerHostname = $computerHostname.ToLower() if ($tryLaps -and $computerHostname -notin $DC.ToLower()) { Write-Verbose "Getting LAPS password for $computerHostname" $password = (Get-AdmPwdPassword $computerHostname).password if (!$password) { Write-Warning "Unable to get LAPS password for $computerHostname." } } if ($tryLaps) { if ($computerHostname -in $DC.ToLower()) { # connecting to DC (there are no local accounts # $userName = "$domainNetbiosName\$tier0Account" $userName = "$domainNetbiosName\$Env:USERNAME" } else { # connecting to non-DC computer if ($computerName -notmatch "\d+\.\d+\.\d+\.\d+") { $userName = "$computerHostname\$localAdmin" } else { # IP was used instead of hostname, therefore I assume there is no LAPS $UserName = " " } } } # if hostname is not in FQDN and it is a server, I will add domain suffix (because of RDP certificate that is probably generated there) if ($computer -notmatch "\.") { Write-Verbose "Adding $domainName suffix to $computer" $computer = $computer + "." + $domainName } $connectTo = $computer if ($port -ne 3389) { $connectTo += ":$port" } # clone mstsc parameters just in case I am connecting to more than one computer, to be able to easily add /v hostname parameter $fParams = $params.Clone() # # log on automatization if ($password) { # I have password, so I will use cmdkey to store it in Cred. Manager Write-Verbose "Saving credentials for $computer and $userName to CredMan" $ProcessInfo = New-Object System.Diagnostics.ProcessStartInfo $Process = New-Object System.Diagnostics.Process $ProcessInfo.FileName = "$($env:SystemRoot)\system32\cmdkey.exe" $ProcessInfo.Arguments = "/generic:TERMSRV/$computer /user:$userName /pass:`"$password`"" $ProcessInfo.WindowStyle = [System.Diagnostics.ProcessWindowStyle]::Hidden $Process.StartInfo = $ProcessInfo [void]$Process.Start() $null = $Process.WaitForExit() if ($Process.ExitCode -ne 0) { throw "Unable to add credentials to Cred. Manageru, but just for sure, check it." } # remote computer $fParams.argumentList += "/v $connectTo" } else { # I don't have credentials, so I have to use AutoIt for log on automation Write-Verbose "I don't have credentials, so AutoIt will be used instead" if ([console]::CapsLock) { $keyBoardObject = New-Object -ComObject WScript.Shell $keyBoardObject.SendKeys("{CAPSLOCK}") Write-Warning "CAPS LOCK was turned on, disabling" } $titleCred = "Windows Security" if (((Get-AU3WinHandle -Title $titleCred) -ne 0) -and $password) { Write-Warning "There is opened window for entering credentials. It has to be closed or auto-fill of credentials will not work." Write-Host 'Enter any key to continue' -NoNewline $null = [Console]::ReadKey('?') } } # # running mstsc Write-Verbose "Running mstsc.exe with parameter: $($fParams.argumentList)" Start-Process @fParams if ($password) { # I have password, so cmdkey was used for automation # so I will now remove saved credentials from Cred. Manager Write-Verbose "Removing saved credentials from CredMan" Start-Sleep -Seconds 1.5 $ProcessInfo = New-Object System.Diagnostics.ProcessStartInfo $Process = New-Object System.Diagnostics.Process $ProcessInfo.FileName = "$($env:SystemRoot)\system32\cmdkey.exe" $ProcessInfo.Arguments = "/delete:TERMSRV/$computer" $ProcessInfo.WindowStyle = [System.Diagnostics.ProcessWindowStyle]::Hidden $Process.StartInfo = $ProcessInfo [void]$Process.Start() $null = $Process.WaitForExit() if ($Process.ExitCode -ne 0) { throw "Removal of credentials failed. Remove them manually from Cred. Manager!" } } else { # I don't have password, so AutoIt will be used Write-Verbose "Automating log on process using AutoIt" try { $null = Get-Command Show-AU3WinActivate -ErrorAction Stop } catch { try { $null = Import-Module AutoItX -ErrorAction Stop -Verbose:$false } catch { throw "Module AutoItX isn't available. It is part of the AutoIt installer https://www.autoitconsulting.com/site/scripting/autoit-cmdlets-for-windows-powershell/" } } # click on "Show options" in mstsc console $title = "Remote Desktop Connection" Start-Sleep -Milliseconds 300 # to get the handle on last started mstsc $null = Wait-AU3Win -Title $title -Timeout 1 $winHandle = Get-AU3WinHandle -Title $title $null = Show-AU3WinActivate -WinHandle $winHandle $controlHandle = Get-AU3ControlHandle -WinHandle $winhandle -Control "ToolbarWindow321" $null = Invoke-AU3ControlClick -WinHandle $winHandle -ControlHandle $controlHandle Start-Sleep -Milliseconds 600 # fill computer and username Write-Verbose "Connecting to: $connectTo as: $userName" Send-AU3Key -Key "{CTRLDOWN}A{CTRLUP}{DELETE}" # delete any existing text Send-AU3Key -Key "$connectTo{DELETE}" # delete any suffix, that could be autofilled there Send-AU3Key -Key "{TAB}" Start-Sleep -Milliseconds 400 Send-AU3Key -Key "{CTRLDOWN}A{CTRLUP}{DELETE}" # delete any existing text Send-AU3Key -Key $userName Send-AU3Key -Key "{ENTER}" } # # accept any untrusted certificate # $title = "Remote Desktop Connection" # $null = Wait-AU3Win -Title $title -Timeout 1 # $winHandle = '' # $count = 0 # while ((!$winHandle -or $winHandle -eq 0) -and $count -le 40) { # # nema smysl cekat moc dlouho, protoze certak muze byt ok nebo uz ma vyjimku # $winHandle = Get-AU3WinHandle -Title $title -Text "The certificate is not from a trusted certifying authority" # Start-Sleep -Milliseconds 100 # ++$count # } # # je potreba potvrdit nesedici certifikat # if ($winHandle) { # $null = Show-AU3WinActivate -WinHandle $winHandle # Start-Sleep -Milliseconds 100 # $controlHandle = Get-AU3ControlHandle -WinHandle $winhandle -Control "Button5" # $null = Invoke-AU3ControlClick -WinHandle $winHandle -ControlHandle $controlHandle # } } } } function Invoke-SQL { <# .SYNOPSIS Function for invoke sql command on specified SQL server. .DESCRIPTION Function for invoke sql command on specified SQL server. Uses Integrated Security=SSPI for making connection. .PARAMETER dataSource Name of SQL server. .PARAMETER database Name of SQL database. .PARAMETER sqlCommand SQL command to invoke. !Beware that name of column must be in " but value in ' quotation mark! "SELECT * FROM query.SwInstallationEnu WHERE `"Product type`" = 'commercial' AND `"User`" = 'Pepik Karlu'" .PARAMETER force Don't ask for confirmation for SQL command that modifies data. .EXAMPLE Invoke-SQL -dataSource SQL-16 -database alvao -sqlCommand "SELECT * FROM KindRight" On SQL-16 server in alvao SQL database runs selected command. .EXAMPLE Invoke-SQL -dataSource "ondrejs4-test2\SOLARWINDS_ORION" -database "SolarWindsOrion" -sqlCommand "SELECT * FROM pollers" On "ondrejs4-test2\SOLARWINDS_ORION" server\instance in SolarWindsOrion database runs selected command. .EXAMPLE Invoke-SQL -dataSource ".\SQLEXPRESS" -database alvao -sqlCommand "SELECT * FROM KindRight" On local server in SQLEXPRESS instance in alvao database runs selected command. #> [CmdletBinding()] param( [Parameter(Mandatory = $true)] [ValidateNotNullOrEmpty()] [string] $dataSource , [Parameter(Mandatory = $true)] [ValidateNotNullOrEmpty()] [string] $database , [string] $sqlCommand = $(throw "Please specify a query.") , [switch] $force ) if (!$force) { if ($sqlCommand -match "^\s*(\bDROP\b|\bUPDATE\b|\bMODIFY\b|\bDELETE\b|\bINSERT\b)") { while ($choice -notmatch "^[Y|N]$") { $choice = Read-Host "sqlCommand will probably modify table data. Are you sure, you want to continue? (Y|N)" } if ($choice -eq "N") { break } } } #TODO add possibility to connect using username/password # $connectionString = 'Data Source={0};Initial Catalog={1};User ID={2};Password={3}' -f $dataSource, $database, $userName, $password $connectionString = 'Data Source={0};Initial Catalog={1};Integrated Security=SSPI' -f $dataSource, $database $connection = New-Object system.data.SqlClient.SQLConnection($connectionString) $command = New-Object system.data.sqlclient.sqlcommand($sqlCommand, $connection) $connection.Open() $adapter = New-Object System.Data.sqlclient.sqlDataAdapter $command $dataset = New-Object System.Data.DataSet $adapter.Fill($dataSet) | Out-Null $connection.Close() $adapter.Dispose() $dataSet.Tables } function Invoke-WindowsUpdate { <# .SYNOPSIS Function for invoking Windows Update. Updates will be searched, downloaded and installed. .DESCRIPTION Function for invoking Windows Update. Updates will be searched (only updates that would be automatically selected in WU are searched), downloaded and installed (by default only the critical ones). Supports only Server 2016 and 2019 and partially 2012! .PARAMETER computerName Name of computer(s) where WU should be started. .PARAMETER allUpdates Switch for installing all available updates, not just critical ones. But in either case, just updates that would be automatically selected in WU are searched (because of AutoSelectOnWebSites=1 filter). .PARAMETER restartIfRequired Switch for restarting the computer if reboot is pending after updates installation. If not used and restart is needed, warning will be outputted. .EXAMPLE Invoke-WindowsUpdate app-15 On server app-15 will be downloaded and installed all critical updates. .EXAMPLE Invoke-WindowsUpdate app-15 -restartIfRequired On server app-15 will be downloaded and installed all critical updates. Restart will be invoked in needed. .EXAMPLE Invoke-WindowsUpdate app-15 -restartIfRequired -allUpdates On server app-15 will be downloaded and installed all updates. Restart will be invoked in needed. .NOTES Inspired by https://github.com/microsoft/WSLab/tree/master/Scenarios/Windows%20Update#apply-updates-on-2016-and-2019 #> [CmdletBinding()] [Alias("Invoke-WU", "Install-WindowsUpdate")] param ( [string[]] $computerName , [switch] $allUpdates , [switch] $restartIfRequired ) Invoke-Command -ComputerName $computerName { param ($allUpdates, $restartIfRequired) $os = (Get-CimInstance -Class Win32_OperatingSystem).Caption $result = @() switch ($os) { "2012" { if (!$allUpdates) { Write-Warning "On Server 2012 are always installed all updates" } # find & apply all updates wuauclt /detectnow /updatenow } "2016" { # find updates $Instance = New-CimInstance -Namespace "root/Microsoft/Windows/WindowsUpdate" -ClassName MSFT_WUOperationsSession $ScanResult = $instance | Invoke-CimMethod -MethodName ScanForUpdates -Arguments @{SearchCriteria = "IsInstalled=0 AND AutoSelectOnWebSites=1"; OnlineScan = $true } # filter just critical ones if (!$allUpdates) { $ScanResult = $ScanResult | ? { $_.updates.MsrcSeverity -eq "Critical" } } # apply updates if ($ScanResult.Updates) { $null = $instance | Invoke-CimMethod -MethodName DownloadUpdates -Arguments @{Updates = [ciminstance[]]$ScanResult.Updates } $result = $instance | Invoke-CimMethod -MethodName InstallUpdates -Arguments @{Updates = [ciminstance[]]$ScanResult.Updates } } } "2019" { # find updates try { $ScanResult = Invoke-CimMethod -Namespace "root/Microsoft/Windows/WindowsUpdate" -ClassName "MSFT_WUOperations" -MethodName ScanForUpdates -Arguments @{SearchCriteria = "IsInstalled=0" } -ErrorAction Stop } catch { try { $ScanResult = Invoke-CimMethod -Namespace "root/Microsoft/Windows/WindowsUpdate" -ClassName "MSFT_WUOperations" -MethodName ScanForUpdates -Arguments @{SearchCriteria = "IsInstalled=0 AND AutoSelectOnWebSites=1" }-ErrorAction Stop } catch { # this should work for Core server $ScanResult = Invoke-CimMethod -Namespace "root/Microsoft/Windows/WindowsUpdate" -ClassName "MSFT_WUOperations" -MethodName ScanForUpdates -Arguments @{SearchCriteria = "IsInstalled=0 AND Type='Software'" } -ErrorAction Stop } } # filter just critical ones if (!$allUpdates) { $ScanResult = $ScanResult | ? { $_.updates.MsrcSeverity -eq "Critical" } } # apply updates if ($ScanResult.Updates) { $result = Invoke-CimMethod -Namespace "root/Microsoft/Windows/WindowsUpdate" -ClassName "MSFT_WUOperations" -MethodName InstallUpdates -Arguments @{Updates = $ScanResult.Updates } } } default { throw "$os is not defined" } } #region inform about results if ($failed = $result | ? { $_.returnValue -ne 0 }) { $failed = " ($($failed.count) failed" } if (@($result).count) { "Installed $(@($result).count) updates$failed on $env:COMPUTERNAME" } else { if ($os -match "2012") { "You have to check manually if some updates were installed (because it's Server 2012)" } else { "No updates found on $env:COMPUTERNAME" } } #endregion inform about results #region restart system if ($os -notmatch "2012") { $pendingReboot = Invoke-CimMethod -Namespace "root/Microsoft/Windows/WindowsUpdate" -ClassName "MSFT_WUSettings" -MethodName IsPendingReboot | select -exp pendingReboot } else { "Unable to detect if restart is required (because it's Server 2012)" } if ($restartIfRequired -and $pendingReboot -eq $true) { Write-Warning "Restarting $env:COMPUTERNAME" shutdown /r /t 30 /c "restarting because of newly installed updates" } if (!$restartIfRequired -and $pendingReboot -eq $true) { Write-Warning "Restart is required on $env:COMPUTERNAME!" } #endregion restart system } -ArgumentList $allUpdates, $restartIfRequired } function Uninstall-ApplicationViaUninstallString { <# .SYNOPSIS Function for uninstalling applications using uninstall string (command) that is saved in registry for each application. .DESCRIPTION Function for uninstalling applications using uninstall string (command) that is saved in registry for each application. This functions cannot guarantee that uninstall process will be unattended! .PARAMETER name Name of the application(s) to uninstall. Can be retrieved using function Get-InstalledSoftware. .PARAMETER addArgument Argument that should be added to those from uninstall string. Can be helpful if you need to do unattended uninstall and know the right parameter for it. .EXAMPLE Uninstall-ApplicationViaUninstallString -name "7-Zip 22.01 (x64)" Uninstall 7zip application. .EXAMPLE Get-InstalledSoftware -appName Dell | Uninstall-ApplicationViaUninstallString Uninstall every application that has 'Dell' in its name. #> [CmdletBinding()] param ( [Parameter(Mandatory = $true, ValueFromPipeline = $true, ValueFromPipelineByPropertyName = $true)] [Alias("displayName")] [ArgumentCompleter( { param ($Command, $Parameter, $WordToComplete, $CommandAst, $FakeBoundParams) Get-ChildItem 'HKLM:\SOFTWARE\Microsoft\Windows\CurrentVersion\Uninstall\', 'HKLM:\SOFTWARE\Wow6432Node\Microsoft\Windows\CurrentVersion\Uninstall\' | % { try { Get-ItemPropertyValue -Path $_.pspath -Name DisplayName -ErrorAction Stop } catch { $null } } | ? { $_ -like "*$WordToComplete*" } | % { "'$_'" } })] [string[]] $name, [string] $addArgument ) begin { # without admin rights msiexec uninstall fails without any error if (! ([Security.Principal.WindowsPrincipal] [Security.Principal.WindowsIdentity]::GetCurrent()).IsInRole([Security.Principal.WindowsBuiltInRole] "Administrator")) { throw "Run with administrator rights" } if (!(Get-Command Get-InstalledSoftware)) { throw "Function Get-InstalledSoftware is missing" } } process { $appList = Get-InstalledSoftware -property DisplayName, UninstallString, QuietUninstallString | ? DisplayName -In $name if ($appList) { foreach ($app in $appList) { if ($app.QuietUninstallString) { $uninstallCommand = $app.QuietUninstallString } else { $uninstallCommand = $app.UninstallString } $name = $app.DisplayName if (!$uninstallCommand) { Write-Warning "Uninstall command is not defined for app '$name'" continue } if ($uninstallCommand -like "msiexec.exe*") { # it is MSI $uninstallMSIArgument = $uninstallCommand -replace "MsiExec.exe" # sometimes there is /I (install) instead of /X (uninstall) parameter $uninstallMSIArgument = $uninstallMSIArgument -replace "/I", "/X" # add silent and norestart switches $uninstallMSIArgument = "$uninstallMSIArgument /QN" if ($addArgument) { $uninstallMSIArgument = $uninstallMSIArgument + " " + $addArgument } Write-Warning "Uninstalling app '$name' via: msiexec.exe $uninstallMSIArgument" Start-Process "msiexec.exe" -ArgumentList $uninstallMSIArgument -Wait } else { # it is EXE #region extract path to the EXE uninstaller # path to EXE is typically surrounded by double quotes $match = ([regex]'("[^"]+")(.*)').Matches($uninstallCommand) if (!$match.count) { # string doesn't contain ", try search for ' instead $match = ([regex]"('[^']+')(.*)").Matches($uninstallCommand) } if ($match.count) { $uninstallExe = $match.captures.groups[1].value } else { # string doesn't contain even ' # before blindly use the whole string as path to an EXE, check whether it doesn't contain common argument prefixes '/', '-' ('-' can be part of the EXE path, but it is more safe to make false positive then fail later because of faulty command) if ($uninstallCommand -notmatch "/|-") { $uninstallExe = $uninstallCommand } } if (!$uninstallExe) { Write-Error "Unable to extract EXE path from '$uninstallCommand'" continue } #endregion extract path to the EXE uninstaller if ($match.count) { $uninstallExeArgument = $match.captures.groups[2].value } else { Write-Verbose "I've used whole uninstall string as EXE path" } if ($addArgument) { $uninstallExeArgument = $uninstallExeArgument + " " + $addArgument } # Start-Process param block $param = @{ FilePath = $uninstallExe Wait = $true } if ($uninstallExeArgument) { $param.ArgumentList = $uninstallExeArgument } Write-Warning "Uninstalling app '$name' via: $uninstallExe $uninstallExeArgument" Start-Process @param } } } else { Write-Warning "No software with name $($name -join ', ') was found. Get the correct name by running 'Get-InstalledSoftware' function." } } } Export-ModuleMember -function Compare-Object2, ConvertFrom-HTMLTable, ConvertFrom-XML, Create-BasicAuthHeader, Export-ScriptsToModule, Get-InstalledSoftware, Get-SFCLogEvent, Invoke-AsLoggedUser, Invoke-AsSystem, Invoke-FileContentWatcher, Invoke-FileSystemWatcher, Invoke-MSTSC, Invoke-SQL, Invoke-WindowsUpdate, Uninstall-ApplicationViaUninstallString Export-ModuleMember -alias Install-WindowsUpdate, Invoke-WU, rdp, Watch-FileContent, Watch-FileSystem |