Information Security Lab

Research on penetration testing and information security

Windows PowerShell/Summary of study contents

1. PowerShell 기본 사항

information-security-lab 2025. 8. 8. 15:00
목차

Ⅰ. PowerShell 시작하기
      1. PowerShell 개요

Ⅱ. PowerShell Cmdlet(Command-let)
      1. Cmdlet(Command-let) 개요
      2. Cmdlet 단독 실행
      3. 주요 PowerShell 맛보기

Ⅲ. Cmdlet 동사 및 명사
      1. Cmdlet 명명 규칙

 


 

Ⅰ. PowerShell 시작하기

1. PowerShell 개요

가. PowerShell

 

- PowerShell은 시스템 관리 및 자동화를 위해 개발된 강력한 명령줄 셸이자 스크립팅 언어임

 

- 몇 번의 키 입력만으로 중요한 시스템 정보에 접근하고, 컴퓨터의 성능 저하 원인을 파악하는 데 도움을 줌

 

 

나. PowerShell 실행 및 기본 인터페이스

 

- Windows OS에서 PowerShell을 실행하면 다음과 같은 초기 화면이 나타남

Windows PowerShell
Copyright (C) Microsoft Corporation. All rights reserved.

새로운 기능 및 개선 사항에 대 한 최신 PowerShell을 설치 하세요! https://aka.ms/PSWindows

PS C:\Users\security>

 

- 프롬프트

● "PS C:\Users\security>"와 같이 슬래시로 구분된 단어의 나열을 프롬프트라고 함

이는 현재 사용자가 작업 중인 파일 또는 폴더의 위치를 나타내는 경로(path)를 의미함

프롬프트 바로 옆에 명령어를 입력하여 컴퓨터에 지시를 내릴 수 있음

 

 

다. 성능 저하 원인 진단 맛보기

 

- 컴퓨터 속도가 느려지는 일반적인 원인 중 하나는 CPU 리소스를 많이 사용하는 프로세스(응용 프로그램)임

 

- 아래와 같이 PowerShell을 사용하면 현재 CPU를 가장 많이 사용하고 있는 프로세스를 쉽게 확인할 수 있음

PS C:\Users\security> Get-Process | Sort-Object CPU -Descending | Select-Object -First 5

Handles  NPM(K)    PM(K)      WS(K)     CPU(s)     Id  SI ProcessName
-------  ------    -----      -----     ------     --  -- -----------
   4401     133   148440     317872      25.73   5132   1 explorer
    598      27     9468      54868       5.55   7116   1 RuntimeBroker
    972      44    44484     128872       5.25   6980   1 SearchHost
    283      20     5784      23188       4.39   8928   1 vmtoolsd
    951      42    49672     127484       4.39   7008   1 StartMenuExperienceHost


PS C:\Users\security>



/* 명령어 분석 */

● Get-Process : 컴퓨터에서 현재 실행 중인 모든 프로세스 목록을 가져옴

● 파이프( | ) : 이전 명령의 출력을 다음 명령의 입력으로 전달하는 역할을 수행

● Sort-Object CPU -Descending : CPU 사용량을 기준으로 프로세스 목록을 내림차순으로 정렬하며 Descending은 내림차순을 의미하므로, CPU 사용량이 가장 높은 프로세스가 목록의 맨 위에 오게 됨

● Select-Object -First 5 : 정렬된 목록에서 가장 위에 있는 5개 항목만 선택하여 출력함

● 위의 명령 출력의 CPU(s) 항목을 보면, 현재 CPU 리소스를 가장 많이 소비하고 있는 프로세스를 파악할 수 있음

IT 전문가라면 이 정보를 통해 성능 문제를 진단하는 첫 번째 단계를 밟을 수 있음

 

 

라. PowerShell 장점

 

- PowerShell은 단순히 성능을 진단하는 것을 넘어, 다음과 같은 강력한 장점들을 제공함

● 자동화 : 반복적인 작업을 스크립트로 작성하여 자동화할 수 있음

● 원격 실행 : 여러 시스템에 걸쳐 원격으로 명령을 실행할 수 있어 대규모 네트워크를 관리하는 데 매우 유용함

 

- 이러한 기능들은 작업 관리자와 같은 기존의 그래픽 사용자 인터페이스(GUI)로는 할 수 없는 훨씬 높은 수준의 제어 기능을 제공함

 

- PowerShell은 생산성 향상을 원하는 고급 사용자나 네트워크 관리자에게 필수적인 도구임

 

 


 

 

Ⅱ. PowerShell Cmdlet(Command-let)

1. Cmdlet(Command-let) 개요

가. Cmdlet

 

- Cmdlet은 특정 작업을 수행하도록 설계된 작고 집중적인 프로그램임

 

- PowerShell의 핵심 구성 요소이며, 이 Cmdlet들을 조합하여 복잡한 작업을 수행할 수 있음

 

 

나. Cmdlet 예시

PS C:\Users\security> Get-Process | Sort-Object CPU -Descending | Select-Object -First 5

 

- 위의 예시 명령에는 세 가지 Cmdlet이 사용되었음

● Get-Process : 컴퓨터에서 실행 중인 모든 프로세스에 대한 정보를 가져옴(Get)

● Sort-Object : 가져온 정보를 특정 기준(여기서는 CPU 사용량)에 따라 정렬함(Sort)

● Select-Object : 정렬된 정보에서 원하는 특정 부분(여기서는 상위 5개)만 선택함(Select)

 

- 각 Cmdlet은 개별적인 역할을 수행하며, 이들이 순차적으로 연결되어 하나의 완벽한 명령을 완성함

 

 

 

2. Cmdlet 단독 실행

가. Get-Process로 알아본 Cmdlet 단독 실행 예시

PS C:\Users\security> Get-Process

Handles  NPM(K)    PM(K)      WS(K)     CPU(s)     Id  SI ProcessName
-------  ------    -----      -----     ------     --  -- -----------
    156      10     2828       9792              2204   0 AggregatorHost
    176      12     2808       2196       0.02    576   1 backgroundTaskHost
    343      30    11936       1744       0.17   1368   1 backgroundTaskHost
    252      28     8936       2076       0.11  10080   1 backgroundTaskHost
    137       9     1436      10680       0.02   2776   1 conhost
    393      22    12108      30708       0.34   5632   1 CrossDeviceResume
    467      22     2128       5256               572   0 csrss
    406      21     2496      12312               656   1 csrss
    572      24    33148      39992       2.30   2628   1 ctfmon
    396      19     4936      17088       0.25   1364   1 dllhost
    284      16     4168      10916              4848   0 dllhost
    222      12     2616      11748       0.19  10120   1 dllhost
   1087      57    58592      79360              1092   1 dwm
   4268     132   143912     312832      28.02   5132   1 explorer
     42       8     3484       6220               968   1 fontdrvhost
     42       6     1808       3380               976   0 fontdrvhost
      0       0       60          8                 0   0 Idle
   1315      24     7292      20244               824   0 lsass
      0       0      428     148244              2516   0 Memory Compression
    220      15     2940       5872              3792   0 MicrosoftEdgeUpdate
    511      18    10404      22644              5576   0 MpDefenderCoreService
    244      15     3136       7920              5188   0 msdtc
    161      10     8024      21992       0.06   1632   1 msedge
    317      18    10932      40652       0.19   1660   1 msedge
    295      15    11480      32860       0.08   4668   1 msedge
   1202      40    38044     120056       1.23   5788   1 msedge
    141       9     2168      12384       0.03   6856   1 msedge
    514      33   159272       5664       4.13   3896   1 msedgewebview2
    377      22    16836       6492       0.41   3904   1 msedgewebview2
   1273      46    37928      13028       1.86   5620   1 msedgewebview2
    220      13     8108       3952       0.05   7072   1 msedgewebview2
   1085      45    35396      89744       3.33   7184   1 msedgewebview2
    146       9     2200       8448       0.08   7284   1 msedgewebview2
    154       9     2164       9852       0.03   7412   1 msedgewebview2
    384      19    14636      33604       0.27   7700   1 msedgewebview2
    320      17    11548      33208       0.63   7752   1 msedgewebview2
    164       9     8304      15508       0.09   7812   1 msedgewebview2
    373      31    71904     119968       2.14   7948   1 msedgewebview2
    168      10    10488       3696       0.19   9076   1 msedgewebview2
    317      17    11948       8496       0.72  10452   1 msedgewebview2
    814     230   316696     371988              2808   0 MsMpEng
    212      39     4160      11820              3420   0 NisSrv
    917      53    53808      75768       1.94   9900   1 OneDrive
    270      14     3016      18984       0.19   4296   1 OpenConsole
    572      40    63704      98840       3.56   4512   1 powershell
      0      15     6656      39764                96   0 Registry
    367      19     5076      31260       4.22   5832   1 RuntimeBroker
    261      13     3460      15800       0.19   6520   1 RuntimeBroker
    589      26     9224      42216       5.63   7116   1 RuntimeBroker
    142       9     2032      15000       0.03   9668   1 RuntimeBroker
    145       9     2112       8552       0.06  11052   1 RuntimeBroker
    969      44    44472      99828       5.33   6980   1 SearchHost
    653      18     9944      21652              9756   0 SearchIndexer
    600      20     7708      22968              3212   0 SecurityHealthService
    182      11     1904      10088       0.14   2388   1 SecurityHealthSystray
    648      11     4868       9712               804   0 services
    357      19    10364      25080       0.09   5172   1 ShellHost
    709      23     7096      34232       3.59   3436   1 sihost
     58       4     1148        956               404   0 smss
    435      21     5536      14520              2176   0 spoolsv
    944      42    49640     126344       4.45   7008   1 StartMenuExperienceHost
   1153      18     7184      14848               660   0 svchost
    171       9     1684       9228               812   0 svchost
    337      15     4376      27016       0.63    928   1 svchost
   1230      23     9272      29844               936   0 svchost
    297      12     2872       8512               960   0 svchost
    178       7     1740       5420              1232   0 svchost
    352      28     4800      20444              1252   0 svchost
    116       7     1304       4448              1312   0 svchost
    215      12     2676       8644              1456   0 svchost
    253      10     2020      11452              1464   0 svchost
    177       9     1748       7060              1512   0 svchost
    339      16     5620      13016              1520   0 svchost
    133      21     4392       6832              1584   0 svchost
    198      10     2460      10228              1616   0 svchost
    341      11     2772       9676              1696   0 svchost
    870      19     4752      14492              1708   0 svchost
    124       8     1548       6808              1720   0 svchost
    225      10     2180       9600              1764   0 svchost
    221      13     2188       7104              1824   0 svchost
    206      13     2164       7176              1900   0 svchost
    170       9     1664       5640              1912   0 svchost
    329      10    14700      23116              2080   0 svchost
    282      14     3008       8112              2180   0 svchost
    445      13    14832      16816              2220   0 svchost
    233      13     2632      18664              2296   0 svchost
    438      10     3020       9048              2304   0 svchost
    206       7     1368       4852              2312   0 svchost
    231      11     2312       7152              2476   0 svchost
    173      12     1888       6304              2532   0 svchost
    188      10     1896       6908              2632   0 svchost
    177      10     1936       7360              2648   0 svchost
    178      10     1924       7308              2684   0 svchost
    330      13     2780      14048              2816   0 svchost
    141       8     1472       7392              2924   0 svchost
    441      12     2236      10484              2932   0 svchost
    203      12     2324      10216              2992   0 svchost
    213      11     2312       7204              3056   0 svchost
    428      31    11424      19068              3096   0 svchost
    182      11     1936       6444              3224   0 svchost
    346      15     4536      15372       0.22   3448   1 svchost
    105       7     1260       4584       0.02   3500   1 svchost
    373      17     6724      25292       0.88   3568   1 svchost
    790      27    22960      45444              3580   0 svchost
    362      16    29144      38648              3600   0 svchost
    388      17     2860       8648              3620   0 svchost
    218      12     2440       8004              3684   0 svchost
    250      13     3492      21440              3716   0 svchost
    132       7     1312       4612              3728   0 svchost
    436      16     9344      19232              3808   0 svchost
    348      18     9472      24176              3848   0 svchost
    412      20     4680      17900              3864   0 svchost
    127       9     1692       6108              3924   0 svchost
    209      16     6588       8668              3980   0 svchost
    262      12     3252      12604              4568   0 svchost
    348      20     4432      14620              4828   0 svchost
    197      11     1972       9932              5580   0 svchost
    512      26     5748      21284       0.58   5656   1 svchost
    301      15     3556      20460              6052   0 svchost
    376      18     8048      29552              6376   0 svchost
    114       8     1536       8088              6384   0 svchost
    255      15     3468      15916       0.13   7148   1 svchost
    756      20     8880      27524              7336   0 svchost
    259      12     2776      11628              8908   0 svchost
    221      15     2028       6960              9188   0 svchost
    108       7     1296       7696              9740   0 svchost
    165      10     2480       7996             10328   0 svchost
    233      13     3484      13816             10612   0 svchost
    123       8     1792       7096             10804   0 svchost
    209      12     3028      10352             11204   0 svchost
    376      19     7412      42988       0.31  11220   1 svchost
    231      13     3168      12668             11224   0 svchost
   3145       0       40        160                 4   0 System
    562      27    13428      35264       0.59   3648   1 TabTip
    314      33     5856      14032       0.39   3840   1 taskhostw
    973      35    23696      54196       1.06   6256   1 TextInputHost
    180      12     2664       8236              3740   0 VGAuthService
    135      10     1840       5532              3736   1 vm3dservice
    125       9     1720       5296              3748   0 vm3dservice
    412      23    11296      19368              3820   0 vmtoolsd
    287      20     5848      15108       7.23   8928   1 vmtoolsd
    853      34    12024      67148       1.75   3092   1 Widgets
    324      17     4640      18704       0.28   1476   1 WidgetService
    688      32    24504      91000      12.20   5924   1 WindowsTerminal
    158      11     1568       5224               648   0 wininit
    279      12     2736       9724               720   1 winlogon
    471      22    12152      26820              4976   0 WmiPrvSE
    198      13     5412      14656             10760   0 WmiPrvSE
    397      12     2164       6612               988   0 WUDFHost


PS C:\Users\security>

 

- Get-Process Cmdlet은 컴퓨터에 "지금 무엇을 하고 있니?"라고 묻는 것과 같으며, 컴퓨터는 실행 중인 모든 프로세스 목록을 화면에 출력하여 응답함

● 이 목록은 컴퓨터의 현재 상태를 파악하는 데 매우 유용함

● 위의 출력 결과에서 CPU(s), 즉, CPU 시간은 프로세스가 컴퓨터의 CPU를 사용한 총 사용 시간을 의미하며 이 사용 시간을 통해 어떤 프로세스가 많은 리소스를 소모하는지 파악할 수 있음

 

 

나. 일부 Cmdlet의 특성

 

- Sort-Object나 Select-Object와 같은 Cmdlet은 단독으로 실행했을 때 아무런 결과도 출력하지 않음

● 이는 이 Cmdlet들이 데이터를 직접 검색하는 것이 아니라, 다른 Cmdlet으로부터 입력받은 데이터를 조작하고 가공하도록 설계되었기 때문임

즉, 이들은 파이프라인을 통해 다른 Cmdlet과 함께 사용될 때 비로소 의미있는 역할을 수행함

 

 

 

3. 주요 PowerShell 맛보기

가. Get-Date

 

- Get-Date는 시스템의 현재 날짜와 시간을 검색하는 Cmdlet임

PS C:\Users\security> Get-Date

2025년 8월 7일 목요일 오후 11:14:41


PS C:\Users\security>

 

- Get-Date는 로그 파일에 타임 스탬프를 기록하거나, 시간 간격을 계산하거나, 작업을 예약하는 등 다양한 시나리오에서 유용하게 사용됨

● 즉, Get-Date는 시간과 관련된 작업을 수행할 때 사용됨

 

 

나. Get-Host

 

- Get-Host는 현재 사용중인 PowerShell 환경(호스트)에 대한 정보를 제공함

● PowerShell에서 호스트는 PowerShell 명령을 입력하고 그 결과를 보여주는 사용자 인터페이스(UI) 프로그램을 의미함

가장 흔하게 볼 수 있는 호스트 프로그램은 아래와 같음

PowerShell 콘솔 : 검은색 또는 파란색 화면에 글자를 입력하는 기본 프로그램

VSCode : 개발자들이 많이 사용하는 코드 편집기이며, 여기에 PowerShell 터미널을 열어서 사용하기도 함

Windows Terminal : Windows 10 / Windows 11에 내장된 프로그램으로, PowerShell, 명령 프롬프트(CMD), WSL 등을 하나의 창에서 실행할 수 있음

즉, PowerShell 명령 자체는 Windows OS 내부에서 실행되는데, 이 명령을 사용자와 연결해주는 창구 역할을 하는 것이 바로 호스트임

 

- Get-Host 실행 결과

PS C:\Users\security> Get-Host


Name             : ConsoleHost
Version          : 5.1.26100.4652
InstanceId       : 06807f8b-c4c8-446a-9bbd-4c93215d8a09
UI               : System.Management.Automation.Internal.Host.InternalHostUserInterface
CurrentCulture   : ko-KR
CurrentUICulture : ko-KR
PrivateData      : Microsoft.PowerShell.ConsoleHost+ConsoleColorProxy
DebuggerEnabled  : True
IsRunspacePushed : False
Runspace         : System.Management.Automation.Runspaces.LocalRunspace



PS C:\Users\security>

● 위의 명령 출력 결과 중 Version 정보는 현재 실행 중인 PowerShell의 버전을 나타냄

PowerShell 버전마다 기능이 다르므로 버전을 확인하는 것은 중요한 작업이 될 수 있음

Get-Host는 PowerShell의 내부 설정을 간략하게 보여주는 역할을 함

 

- 쉽게 말해, Get-Host는 현재 PowerShell 환경에 대한 기본 정보를 파악할 때 사용함

 

 

다. Get-Command

 

- Get-Command는 PowerShell에서 사용할 수 있는 모든 Cmdlet의 목록을 보여줌

 

- 특정 Cmdlet의 이름을 모를 때, 이를 검색하고 탐색하는 데 매우 유용함

 

- Get-Command 실행 결과

PS C:\Users\security> Get-Command

CommandType     Name                                               Version    Source
-----------     ----                                               -------    ------
Alias           Add-AppPackage                                     2.0.1.0    Appx
Alias           Add-AppPackageVolume                               2.0.1.0    Appx
Alias           Add-AppProvisionedPackage                          3.0        Dism
Alias           Add-MsixPackage                                    2.0.1.0    Appx
Alias           Add-MsixPackageVolume                              2.0.1.0    Appx
Alias           Add-MsixVolume                                     2.0.1.0    Appx
Alias           Add-ProvisionedAppPackage                          3.0        Dism
Alias           Add-ProvisionedAppSharedPackageContainer           3.0        Dism
Alias           Add-ProvisionedAppxPackage                         3.0        Dism
Alias           Add-ProvisioningPackage                            3.0        Provisioning
Alias           Add-TrustedProvisioningCertificate                 3.0        Provisioning
Alias           Apply-WindowsUnattend                              3.0        Dism
Alias           Disable-PhysicalDiskIndication                     2.0.0.0    Storage
Alias           Disable-PhysicalDiskIndication                     1.0.0.0    VMDirectStorage
Alias           Disable-StorageDiagnosticLog                       2.0.0.0    Storage
Alias           Disable-StorageDiagnosticLog                       1.0.0.0    VMDirectStorage
Alias           Dismount-AppPackageVolume                          2.0.1.0    Appx
Alias           Dismount-MsixPackageVolume                         2.0.1.0    Appx
Alias           Dismount-MsixVolume                                2.0.1.0    Appx
Alias           Enable-PhysicalDiskIndication                      2.0.0.0    Storage
Alias           Enable-PhysicalDiskIndication                      1.0.0.0    VMDirectStorage
Alias           Enable-StorageDiagnosticLog                        2.0.0.0    Storage
Alias           Enable-StorageDiagnosticLog                        1.0.0.0    VMDirectStorage
Alias           Flush-Volume                                       2.0.0.0    Storage
Alias           Flush-Volume                                       1.0.0.0    VMDirectStorage
Alias           Get-AppPackage                                     2.0.1.0    Appx
Alias           Get-AppPackageAutoUpdateSettings                   2.0.1.0    Appx
Alias           Get-AppPackageDefaultVolume                        2.0.1.0    Appx
Alias           Get-AppPackageLastError                            2.0.1.0    Appx
Alias           Get-AppPackageLog                                  2.0.1.0    Appx
Alias           Get-AppPackageManifest                             2.0.1.0    Appx
Alias           Get-AppPackageVolume                               2.0.1.0    Appx
Alias           Get-AppProvisionedPackage                          3.0        Dism
Alias           Get-DiskSNV                                        2.0.0.0    Storage
Alias           Get-DiskSNV                                        1.0.0.0    VMDirectStorage
Alias           Get-Language                                       1.0        LanguagePackManagement
Alias           Get-MsixDefaultVolume                              2.0.1.0    Appx
Alias           Get-MsixLastError                                  2.0.1.0    Appx
Alias           Get-MsixLog                                        2.0.1.0    Appx
Alias           Get-MsixPackage                                    2.0.1.0    Appx
Alias           Get-MsixPackageAutoUpdateSettings                  2.0.1.0    Appx
Alias           Get-MsixPackageDefaultVolume                       2.0.1.0    Appx
Alias           Get-MsixPackageLastError                           2.0.1.0    Appx
Alias           Get-MsixPackageLog                                 2.0.1.0    Appx
Alias           Get-MsixPackageManifest                            2.0.1.0    Appx
Alias           Get-MsixPackageVolume                              2.0.1.0    Appx
Alias           Get-MsixVolume                                     2.0.1.0    Appx
Alias           Get-PhysicalDiskSNV                                2.0.0.0    Storage
Alias           Get-PhysicalDiskSNV                                1.0.0.0    VMDirectStorage
Alias           Get-PreferredLanguage                              1.0        LanguagePackManagement
Alias           Get-ProvisionedAppPackage                          3.0        Dism
Alias           Get-ProvisionedAppSharedPackageContainer           3.0        Dism
Alias           Get-ProvisionedAppxPackage                         3.0        Dism
Alias           Get-StorageEnclosureSNV                            2.0.0.0    Storage
Alias           Get-StorageEnclosureSNV                            1.0.0.0    VMDirectStorage
Alias           Get-SystemLanguage                                 1.0        LanguagePackManagement
Alias           Initialize-Volume                                  2.0.0.0    Storage
Alias           Initialize-Volume                                  1.0.0.0    VMDirectStorage
Alias           Mount-AppPackageVolume                             2.0.1.0    Appx
Alias           Mount-MsixPackageVolume                            2.0.1.0    Appx
Alias           Mount-MsixVolume                                   2.0.1.0    Appx
Alias           Move-AppPackage                                    2.0.1.0    Appx
Alias           Move-MsixPackage                                   2.0.1.0    Appx
Alias           Move-SmbClient                                     2.0.0.0    SmbWitness
Alias           Optimize-AppProvisionedPackages                    3.0        Dism
Alias           Optimize-ProvisionedAppPackages                    3.0        Dism
Alias           Optimize-ProvisionedAppxPackages                   3.0        Dism
Alias           Remove-AppPackage                                  2.0.1.0    Appx
Alias           Remove-AppPackageAutoUpdateSettings                2.0.1.0    Appx
Alias           Remove-AppPackageVolume                            2.0.1.0    Appx
Alias           Remove-AppProvisionedPackage                       3.0        Dism
Alias           Remove-EtwTraceSession                             1.0.0.0    EventTracingManagement
Alias           Remove-MsixPackage                                 2.0.1.0    Appx
Alias           Remove-MsixPackageAutoUpdateSettings               2.0.1.0    Appx
Alias           Remove-MsixPackageVolume                           2.0.1.0    Appx
Alias           Remove-MsixVolume                                  2.0.1.0    Appx
Alias           Remove-ProvisionedAppPackage                       3.0        Dism
Alias           Remove-ProvisionedAppSharedPackageContainer        3.0        Dism
Alias           Remove-ProvisionedAppxPackage                      3.0        Dism
Alias           Remove-ProvisioningPackage                         3.0        Provisioning
Alias           Remove-TrustedProvisioningCertificate              3.0        Provisioning
Alias           Reset-AppPackage                                   2.0.1.0    Appx
Alias           Reset-MsixPackage                                  2.0.1.0    Appx
Alias           Set-AppPackageAutoUpdateSettings                   2.0.1.0    Appx
Alias           Set-AppPackageDefaultVolume                        2.0.1.0    Appx
Alias           Set-AppPackageProvisionedDataFile                  3.0        Dism
Alias           Set-AutologgerConfig                               1.0.0.0    EventTracingManagement
Alias           Set-EtwTraceSession                                1.0.0.0    EventTracingManagement
Alias           Set-MsixDefaultVolume                              2.0.1.0    Appx
Alias           Set-MsixPackageAutoUpdateSettings                  2.0.1.0    Appx
Alias           Set-MsixPackageDefaultVolume                       2.0.1.0    Appx
Alias           Set-PreferredLanguage                              1.0        LanguagePackManagement
Alias           Set-ProvisionedAppPackageDataFile                  3.0        Dism
Alias           Set-ProvisionedAppXDataFile                        3.0        Dism
Alias           Set-SystemLanguage                                 1.0        LanguagePackManagement
Alias           Write-FileSystemCache                              2.0.0.0    Storage
Alias           Write-FileSystemCache                              1.0.0.0    VMDirectStorage
Function        A:
Function        Add-BCDataCacheExtension                           1.0.0.0    BranchCache
Function        Add-BitLockerKeyProtector                          1.0.0.0    BitLocker
Function        Add-DnsClientDohServerAddress                      1.0.0.0    DnsClient
Function        Add-DnsClientNrptRule                              1.0.0.0    DnsClient
Function        Add-DtcClusterTMMapping                            1.0.0.0    MsDtc
Function        Add-EtwTraceProvider                               1.0.0.0    EventTracingManagement
Function        Add-InitiatorIdToMaskingSet                        2.0.0.0    Storage
Function        Add-MpPreference                                   1.0        ConfigDefender
Function        Add-MpPreference                                   1.0        Defender
Function        Add-NetEventNetworkAdapter                         1.0.0.0    NetEventPacketCapture
Function        Add-NetEventPacketCaptureProvider                  1.0.0.0    NetEventPacketCapture
Function        Add-NetEventProvider                               1.0.0.0    NetEventPacketCapture
Function        Add-NetEventVFPProvider                            1.0.0.0    NetEventPacketCapture
Function        Add-NetEventVmNetworkAdapter                       1.0.0.0    NetEventPacketCapture
Function        Add-NetEventVmSwitch                               1.0.0.0    NetEventPacketCapture
Function        Add-NetEventVmSwitchProvider                       1.0.0.0    NetEventPacketCapture
Function        Add-NetEventWFPCaptureProvider                     1.0.0.0    NetEventPacketCapture
Function        Add-NetIPHttpsCertBinding                          1.0.0.0    NetworkTransition
Function        Add-NetLbfoTeamMember                              2.0.0.0    NetLbfo
Function        Add-NetLbfoTeamNic                                 2.0.0.0    NetLbfo
Function        Add-NetNatExternalAddress                          1.0.0.0    NetNat
Function        Add-NetNatStaticMapping                            1.0.0.0    NetNat
Function        Add-NetSwitchTeamMember                            1.0.0.0    NetSwitchTeam
Function        Add-OdbcDsn                                        1.0.0.0    Wdac
Function        Add-PartitionAccessPath                            2.0.0.0    Storage
Function        Add-PhysicalDisk                                   2.0.0.0    Storage
Function        Add-Printer                                        1.1        PrintManagement
Function        Add-PrinterDriver                                  1.1        PrintManagement
Function        Add-PrinterPort                                    1.1        PrintManagement
Function        Add-StorageFaultDomain                             2.0.0.0    Storage
Function        Add-TargetPortToMaskingSet                         2.0.0.0    Storage
Function        Add-VirtualDiskToMaskingSet                        2.0.0.0    Storage
Function        Add-VMDirectVirtualDisk                            1.0.0.0    VMDirectStorage
Function        Add-VpnConnection                                  2.0.0.0    VpnClient
Function        Add-VpnConnectionRoute                             2.0.0.0    VpnClient
Function        Add-VpnConnectionTriggerApplication                2.0.0.0    VpnClient
Function        Add-VpnConnectionTriggerDnsConfiguration           2.0.0.0    VpnClient
Function        Add-VpnConnectionTriggerTrustedNetwork             2.0.0.0    VpnClient
Function        AfterAll                                           3.4.0      Pester
Function        AfterEach                                          3.4.0      Pester
Function        Assert-MockCalled                                  3.4.0      Pester
Function        Assert-VerifiableMocks                             3.4.0      Pester
Function        B:
Function        Backup-BitLockerKeyProtector                       1.0.0.0    BitLocker
Function        BackupToAAD-BitLockerKeyProtector                  1.0.0.0    BitLocker
Function        BackupToMSA-BitLockerKeyProtector                  1.0.0.0    BitLocker
Function        BeforeAll                                          3.4.0      Pester
Function        BeforeEach                                         3.4.0      Pester
Function        Block-FileShareAccess                              2.0.0.0    Storage
Function        Block-SmbClientAccessToServer                      2.0.0.0    SmbShare
Function        Block-SmbShareAccess                               2.0.0.0    SmbShare
Function        C:
Function        cd..
Function        cd\
Function        Clear-AssignedAccess                               1.0.0.0    AssignedAccess
Function        Clear-BCCache                                      1.0.0.0    BranchCache
Function        Clear-BitLockerAutoUnlock                          1.0.0.0    BitLocker
Function        Clear-Disk                                         2.0.0.0    Storage
Function        Clear-DnsClientCache                               1.0.0.0    DnsClient
Function        Clear-FileStorageTier                              2.0.0.0    Storage
Function        Clear-Host
Function        Clear-PcsvDeviceLog                                1.0.0.0    PcsvDevice
Function        Clear-StorageBusDisk                               1.0.0.0    StorageBusCache
Function        Clear-StorageDiagnosticInfo                        2.0.0.0    Storage
Function        Close-SmbOpenFile                                  2.0.0.0    SmbShare
Function        Close-SmbSession                                   2.0.0.0    SmbShare
Function        Compress-Archive                                   1.0.1.0    Microsoft.PowerShell.Ar...
Function        Configuration                                      1.1        PSDesiredStateConfigura...
Function        Connect-IscsiTarget                                1.0.0.0    iSCSI
Function        Connect-VirtualDisk                                2.0.0.0    Storage
Function        Context                                            3.4.0      Pester
Function        ConvertFrom-SddlString                             3.1.0.0    Microsoft.PowerShell.Ut...
Function        Convert-PhysicalDisk                               2.0.0.0    Storage
Function        Copy-NetFirewallRule                               2.0.0.0    NetSecurity
Function        Copy-NetIPsecMainModeCryptoSet                     2.0.0.0    NetSecurity
Function        Copy-NetIPsecMainModeRule                          2.0.0.0    NetSecurity
Function        Copy-NetIPsecPhase1AuthSet                         2.0.0.0    NetSecurity
Function        Copy-NetIPsecPhase2AuthSet                         2.0.0.0    NetSecurity
Function        Copy-NetIPsecQuickModeCryptoSet                    2.0.0.0    NetSecurity
Function        Copy-NetIPsecRule                                  2.0.0.0    NetSecurity
Function        D:
Function        Debug-FileShare                                    2.0.0.0    Storage
Function        Debug-MMAppPrelaunch                               1.0        MMAgent
Function        Debug-StorageSubSystem                             2.0.0.0    Storage
Function        Debug-Volume                                       2.0.0.0    Storage
Function        Delete-DeliveryOptimizationCache                   1.0.3.0    DeliveryOptimization
Function        Describe                                           3.4.0      Pester
Function        Disable-BC                                         1.0.0.0    BranchCache
Function        Disable-BCDowngrading                              1.0.0.0    BranchCache
Function        Disable-BCServeOnBattery                           1.0.0.0    BranchCache
Function        Disable-BitLocker                                  1.0.0.0    BitLocker
Function        Disable-BitLockerAutoUnlock                        1.0.0.0    BitLocker
Function        Disable-DAManualEntryPointSelection                1.0.0.0    DirectAccessClientCompo...
Function        Disable-DeliveryOptimizationVerboseLogs            1.0.3.0    DeliveryOptimization
Function        Disable-DscDebug                                   1.1        PSDesiredStateConfigura...
Function        Disable-MMAgent                                    1.0        MMAgent
Function        Disable-NetAdapter                                 2.0.0.0    NetAdapter
Function        Disable-NetAdapterBinding                          2.0.0.0    NetAdapter
Function        Disable-NetAdapterChecksumOffload                  2.0.0.0    NetAdapter
Function        Disable-NetAdapterEncapsulatedPacketTaskOffload    2.0.0.0    NetAdapter
Function        Disable-NetAdapterIPsecOffload                     2.0.0.0    NetAdapter
Function        Disable-NetAdapterLso                              2.0.0.0    NetAdapter
Function        Disable-NetAdapterPacketDirect                     2.0.0.0    NetAdapter
Function        Disable-NetAdapterPowerManagement                  2.0.0.0    NetAdapter
Function        Disable-NetAdapterQos                              2.0.0.0    NetAdapter
Function        Disable-NetAdapterRdma                             2.0.0.0    NetAdapter
Function        Disable-NetAdapterRsc                              2.0.0.0    NetAdapter
Function        Disable-NetAdapterRss                              2.0.0.0    NetAdapter
Function        Disable-NetAdapterSriov                            2.0.0.0    NetAdapter
Function        Disable-NetAdapterUro                              2.0.0.0    NetAdapter
Function        Disable-NetAdapterUso                              2.0.0.0    NetAdapter
Function        Disable-NetAdapterVmq                              2.0.0.0    NetAdapter
Function        Disable-NetDnsTransitionConfiguration              1.0.0.0    NetworkTransition
Function        Disable-NetFirewallHyperVRule                      2.0.0.0    NetSecurity
Function        Disable-NetFirewallRule                            2.0.0.0    NetSecurity
Function        Disable-NetIPHttpsProfile                          1.0.0.0    NetworkTransition
Function        Disable-NetIPsecMainModeRule                       2.0.0.0    NetSecurity
Function        Disable-NetIPsecRule                               2.0.0.0    NetSecurity
Function        Disable-NetNatTransitionConfiguration              1.0.0.0    NetworkTransition
Function        Disable-NetworkSwitchEthernetPort                  1.0.0.0    NetworkSwitchManager
Function        Disable-NetworkSwitchFeature                       1.0.0.0    NetworkSwitchManager
Function        Disable-NetworkSwitchVlan                          1.0.0.0    NetworkSwitchManager
Function        Disable-OdbcPerfCounter                            1.0.0.0    Wdac
Function        Disable-PhysicalDiskIdentification                 2.0.0.0    Storage
Function        Disable-PnpDevice                                  1.0.0.0    PnpDevice
Function        Disable-PSTrace                                    1.0.0.0    PSDiagnostics
Function        Disable-PSWSManCombinedTrace                       1.0.0.0    PSDiagnostics
Function        Disable-ScheduledTask                              1.0.0.0    ScheduledTasks
Function        Disable-SmbDelegation                              2.0.0.0    SmbShare
Function        Disable-StorageBusCache                            1.0.0.0    StorageBusCache
Function        Disable-StorageBusDisk                             1.0.0.0    StorageBusCache
Function        Disable-StorageDataCollection                      2.0.0.0    Storage
Function        Disable-StorageEnclosureIdentification             2.0.0.0    Storage
Function        Disable-StorageEnclosurePower                      2.0.0.0    Storage
Function        Disable-StorageHighAvailability                    2.0.0.0    Storage
Function        Disable-StorageMaintenanceMode                     2.0.0.0    Storage
Function        Disable-WdacBidTrace                               1.0.0.0    Wdac
Function        Disable-WSManTrace                                 1.0.0.0    PSDiagnostics
Function        Disconnect-IscsiTarget                             1.0.0.0    iSCSI
Function        Disconnect-VirtualDisk                             2.0.0.0    Storage
Function        Dismount-DiskImage                                 2.0.0.0    Storage
Function        E:
Function        Enable-BCDistributed                               1.0.0.0    BranchCache
Function        Enable-BCDowngrading                               1.0.0.0    BranchCache
Function        Enable-BCHostedClient                              1.0.0.0    BranchCache
Function        Enable-BCHostedServer                              1.0.0.0    BranchCache
Function        Enable-BCLocal                                     1.0.0.0    BranchCache
Function        Enable-BCServeOnBattery                            1.0.0.0    BranchCache
Function        Enable-BitLocker                                   1.0.0.0    BitLocker
Function        Enable-BitLockerAutoUnlock                         1.0.0.0    BitLocker
Function        Enable-DAManualEntryPointSelection                 1.0.0.0    DirectAccessClientCompo...
Function        Enable-DeliveryOptimizationVerboseLogs             1.0.3.0    DeliveryOptimization
Function        Enable-DscDebug                                    1.1        PSDesiredStateConfigura...
Function        Enable-MMAgent                                     1.0        MMAgent
Function        Enable-NetAdapter                                  2.0.0.0    NetAdapter
Function        Enable-NetAdapterBinding                           2.0.0.0    NetAdapter
Function        Enable-NetAdapterChecksumOffload                   2.0.0.0    NetAdapter
Function        Enable-NetAdapterEncapsulatedPacketTaskOffload     2.0.0.0    NetAdapter
Function        Enable-NetAdapterIPsecOffload                      2.0.0.0    NetAdapter
Function        Enable-NetAdapterLso                               2.0.0.0    NetAdapter
Function        Enable-NetAdapterPacketDirect                      2.0.0.0    NetAdapter
Function        Enable-NetAdapterPowerManagement                   2.0.0.0    NetAdapter
Function        Enable-NetAdapterQos                               2.0.0.0    NetAdapter
Function        Enable-NetAdapterRdma                              2.0.0.0    NetAdapter
Function        Enable-NetAdapterRsc                               2.0.0.0    NetAdapter
Function        Enable-NetAdapterRss                               2.0.0.0    NetAdapter
Function        Enable-NetAdapterSriov                             2.0.0.0    NetAdapter
Function        Enable-NetAdapterUro                               2.0.0.0    NetAdapter
Function        Enable-NetAdapterUso                               2.0.0.0    NetAdapter
Function        Enable-NetAdapterVmq                               2.0.0.0    NetAdapter
Function        Enable-NetDnsTransitionConfiguration               1.0.0.0    NetworkTransition
Function        Enable-NetFirewallHyperVRule                       2.0.0.0    NetSecurity
Function        Enable-NetFirewallRule                             2.0.0.0    NetSecurity
Function        Enable-NetIPHttpsProfile                           1.0.0.0    NetworkTransition
Function        Enable-NetIPsecMainModeRule                        2.0.0.0    NetSecurity
Function        Enable-NetIPsecRule                                2.0.0.0    NetSecurity
Function        Enable-NetNatTransitionConfiguration               1.0.0.0    NetworkTransition
Function        Enable-NetworkSwitchEthernetPort                   1.0.0.0    NetworkSwitchManager
Function        Enable-NetworkSwitchFeature                        1.0.0.0    NetworkSwitchManager
Function        Enable-NetworkSwitchVlan                           1.0.0.0    NetworkSwitchManager
Function        Enable-OdbcPerfCounter                             1.0.0.0    Wdac
Function        Enable-PhysicalDiskIdentification                  2.0.0.0    Storage
Function        Enable-PnpDevice                                   1.0.0.0    PnpDevice
Function        Enable-PSTrace                                     1.0.0.0    PSDiagnostics
Function        Enable-PSWSManCombinedTrace                        1.0.0.0    PSDiagnostics
Function        Enable-ScheduledTask                               1.0.0.0    ScheduledTasks
Function        Enable-SmbDelegation                               2.0.0.0    SmbShare
Function        Enable-StorageBusCache                             1.0.0.0    StorageBusCache
Function        Enable-StorageBusDisk                              1.0.0.0    StorageBusCache
Function        Enable-StorageDataCollection                       2.0.0.0    Storage
Function        Enable-StorageEnclosureIdentification              2.0.0.0    Storage
Function        Enable-StorageEnclosurePower                       2.0.0.0    Storage
Function        Enable-StorageHighAvailability                     2.0.0.0    Storage
Function        Enable-StorageMaintenanceMode                      2.0.0.0    Storage
Function        Enable-WdacBidTrace                                1.0.0.0    Wdac
Function        Enable-WSManTrace                                  1.0.0.0    PSDiagnostics
Function        Expand-Archive                                     1.0.1.0    Microsoft.PowerShell.Ar...
Function        Export-BCCachePackage                              1.0.0.0    BranchCache
Function        Export-BCSecretKey                                 1.0.0.0    BranchCache
Function        Export-ODataEndpointProxy                          1.0        Microsoft.PowerShell.OD...
Function        Export-ScheduledTask                               1.0.0.0    ScheduledTasks
Function        Export-WinhttpProxy                                1.0.0.0    WinHttpProxy
Function        F:
Function        Find-Command                                       1.0.0.1    PowerShellGet
Function        Find-DscResource                                   1.0.0.1    PowerShellGet
Function        Find-Module                                        1.0.0.1    PowerShellGet
Function        Find-NetIPsecRule                                  2.0.0.0    NetSecurity
Function        Find-NetRoute                                      1.0.0.0    NetTCPIP
Function        Find-RoleCapability                                1.0.0.1    PowerShellGet
Function        Find-Script                                        1.0.0.1    PowerShellGet
Function        Flush-EtwTraceSession                              1.0.0.0    EventTracingManagement
Function        Format-Hex                                         3.1.0.0    Microsoft.PowerShell.Ut...
Function        Format-Volume                                      2.0.0.0    Storage
Function        G:
Function        Get-AppBackgroundTask                              1.0.0.0    AppBackgroundTask
Function        Get-AppvVirtualProcess                             1.0.0.0    AppvClient
Function        Get-AppxLastError                                  2.0.1.0    Appx
Function        Get-AppxLog                                        2.0.1.0    Appx
Function        Get-AssignedAccess                                 1.0.0.0    AssignedAccess
Function        Get-AutologgerConfig                               1.0.0.0    EventTracingManagement
Function        Get-BCClientConfiguration                          1.0.0.0    BranchCache
Function        Get-BCContentServerConfiguration                   1.0.0.0    BranchCache
Function        Get-BCDataCache                                    1.0.0.0    BranchCache
Function        Get-BCDataCacheExtension                           1.0.0.0    BranchCache
Function        Get-BCHashCache                                    1.0.0.0    BranchCache
Function        Get-BCHostedCacheServerConfiguration               1.0.0.0    BranchCache
Function        Get-BCNetworkConfiguration                         1.0.0.0    BranchCache
Function        Get-BCStatus                                       1.0.0.0    BranchCache
Function        Get-BitLockerVolume                                1.0.0.0    BitLocker
Function        Get-ClusteredScheduledTask                         1.0.0.0    ScheduledTasks
Function        Get-DAClientExperienceConfiguration                1.0.0.0    DirectAccessClientCompo...
Function        Get-DAConnectionStatus                             1.0.0.0    NetworkConnectivityStatus
Function        Get-DAEntryPointTableItem                          1.0.0.0    DirectAccessClientCompo...
Function        Get-DedupProperties                                2.0.0.0    Storage
Function        Get-DeliveryOptimizationPerfSnap                   1.0.3.0    DeliveryOptimization
Function        Get-DeliveryOptimizationPerfSnapThisMonth          1.0.3.0    DeliveryOptimization
Function        Get-DeliveryOptimizationStatus                     1.0.3.0    DeliveryOptimization
Function        Get-Disk                                           2.0.0.0    Storage
Function        Get-DiskImage                                      2.0.0.0    Storage
Function        Get-DiskStorageNodeView                            2.0.0.0    Storage
Function        Get-DnsClient                                      1.0.0.0    DnsClient
Function        Get-DnsClientCache                                 1.0.0.0    DnsClient
Function        Get-DnsClientDohServerAddress                      1.0.0.0    DnsClient
Function        Get-DnsClientGlobalSetting                         1.0.0.0    DnsClient
Function        Get-DnsClientNrptGlobal                            1.0.0.0    DnsClient
Function        Get-DnsClientNrptPolicy                            1.0.0.0    DnsClient
Function        Get-DnsClientNrptRule                              1.0.0.0    DnsClient
Function        Get-DnsClientServerAddress                         1.0.0.0    DnsClient
Function        Get-DOConfig                                       1.0.3.0    DeliveryOptimization
Function        Get-DODownloadMode                                 1.0.3.0    DeliveryOptimization
Function        Get-DOPercentageMaxBackgroundBandwidth             1.0.3.0    DeliveryOptimization
Function        Get-DOPercentageMaxForegroundBandwidth             1.0.3.0    DeliveryOptimization
Function        Get-DscConfiguration                               1.1        PSDesiredStateConfigura...
Function        Get-DscConfigurationStatus                         1.1        PSDesiredStateConfigura...
Function        Get-DscLocalConfigurationManager                   1.1        PSDesiredStateConfigura...
Function        Get-DscResource                                    1.1        PSDesiredStateConfigura...
Function        Get-Dtc                                            1.0.0.0    MsDtc
Function        Get-DtcAdvancedHostSetting                         1.0.0.0    MsDtc
Function        Get-DtcAdvancedSetting                             1.0.0.0    MsDtc
Function        Get-DtcClusterDefault                              1.0.0.0    MsDtc
Function        Get-DtcClusterTMMapping                            1.0.0.0    MsDtc
Function        Get-DtcDefault                                     1.0.0.0    MsDtc
Function        Get-DtcLog                                         1.0.0.0    MsDtc
Function        Get-DtcNetworkSetting                              1.0.0.0    MsDtc
Function        Get-DtcTransaction                                 1.0.0.0    MsDtc
Function        Get-DtcTransactionsStatistics                      1.0.0.0    MsDtc
Function        Get-DtcTransactionsTraceSession                    1.0.0.0    MsDtc
Function        Get-DtcTransactionsTraceSetting                    1.0.0.0    MsDtc
Function        Get-EtwTraceProvider                               1.0.0.0    EventTracingManagement
Function        Get-EtwTraceSession                                1.0.0.0    EventTracingManagement
Function        Get-FileHash                                       3.1.0.0    Microsoft.PowerShell.Ut...
Function        Get-FileIntegrity                                  2.0.0.0    Storage
Function        Get-FileShare                                      2.0.0.0    Storage
Function        Get-FileShareAccessControlEntry                    2.0.0.0    Storage
Function        Get-FileStorageTier                                2.0.0.0    Storage
Function        Get-InitiatorId                                    2.0.0.0    Storage
Function        Get-InitiatorPort                                  2.0.0.0    Storage
Function        Get-InstalledModule                                1.0.0.1    PowerShellGet
Function        Get-InstalledScript                                1.0.0.1    PowerShellGet
Function        Get-IscsiConnection                                1.0.0.0    iSCSI
Function        Get-IscsiSession                                   1.0.0.0    iSCSI
Function        Get-IscsiTarget                                    1.0.0.0    iSCSI
Function        Get-IscsiTargetPortal                              1.0.0.0    iSCSI
Function        Get-IseSnippet                                     1.0.0.0    ISE
Function        Get-LapsAADPassword                                1.0.0.0    LAPS
Function        Get-LapsDiagnostics                                1.0.0.0    LAPS
Function        Get-LogProperties                                  1.0.0.0    PSDiagnostics
Function        Get-MaskingSet                                     2.0.0.0    Storage
Function        Get-MMAgent                                        1.0        MMAgent
Function        Get-MockDynamicParameters                          3.4.0      Pester
Function        Get-MpBehavioralNetworkBlockingRules               1.0        ConfigDefender
Function        Get-MpComputerStatus                               1.0        ConfigDefender
Function        Get-MpComputerStatus                               1.0        Defender
Function        Get-MpPerformanceReport                            1.0        ConfigDefenderPerformance
Function        Get-MpPerformanceReport                            1.0        DefenderPerformance
Function        Get-MpPreference                                   1.0        ConfigDefender
Function        Get-MpPreference                                   1.0        Defender
Function        Get-MpThreat                                       1.0        ConfigDefender
Function        Get-MpThreat                                       1.0        Defender
Function        Get-MpThreatCatalog                                1.0        ConfigDefender
Function        Get-MpThreatCatalog                                1.0        Defender
Function        Get-MpThreatDetection                              1.0        ConfigDefender
Function        Get-MpThreatDetection                              1.0        Defender
Function        Get-NCSIPolicyConfiguration                        1.0.0.0    NetworkConnectivityStatus
Function        Get-Net6to4Configuration                           1.0.0.0    NetworkTransition
Function        Get-NetAdapter                                     2.0.0.0    NetAdapter
Function        Get-NetAdapterAdvancedProperty                     2.0.0.0    NetAdapter
Function        Get-NetAdapterBinding                              2.0.0.0    NetAdapter
Function        Get-NetAdapterChecksumOffload                      2.0.0.0    NetAdapter
Function        Get-NetAdapterDataPathConfiguration                2.0.0.0    NetAdapter
Function        Get-NetAdapterEncapsulatedPacketTaskOffload        2.0.0.0    NetAdapter
Function        Get-NetAdapterHardwareInfo                         2.0.0.0    NetAdapter
Function        Get-NetAdapterIPsecOffload                         2.0.0.0    NetAdapter
Function        Get-NetAdapterLso                                  2.0.0.0    NetAdapter
Function        Get-NetAdapterPacketDirect                         2.0.0.0    NetAdapter
Function        Get-NetAdapterPowerManagement                      2.0.0.0    NetAdapter
Function        Get-NetAdapterQos                                  2.0.0.0    NetAdapter
Function        Get-NetAdapterRdma                                 2.0.0.0    NetAdapter
Function        Get-NetAdapterRsc                                  2.0.0.0    NetAdapter
Function        Get-NetAdapterRss                                  2.0.0.0    NetAdapter
Function        Get-NetAdapterSriov                                2.0.0.0    NetAdapter
Function        Get-NetAdapterSriovVf                              2.0.0.0    NetAdapter
Function        Get-NetAdapterStatistics                           2.0.0.0    NetAdapter
Function        Get-NetAdapterUro                                  2.0.0.0    NetAdapter
Function        Get-NetAdapterUso                                  2.0.0.0    NetAdapter
Function        Get-NetAdapterVmq                                  2.0.0.0    NetAdapter
Function        Get-NetAdapterVMQQueue                             2.0.0.0    NetAdapter
Function        Get-NetAdapterVPort                                2.0.0.0    NetAdapter
Function        Get-NetCompartment                                 1.0.0.0    NetTCPIP
Function        Get-NetConnectionProfile                           2.0.0.0    NetConnection
Function        Get-NetDnsTransitionConfiguration                  1.0.0.0    NetworkTransition
Function        Get-NetDnsTransitionMonitoring                     1.0.0.0    NetworkTransition
Function        Get-NetEventNetworkAdapter                         1.0.0.0    NetEventPacketCapture
Function        Get-NetEventPacketCaptureProvider                  1.0.0.0    NetEventPacketCapture
Function        Get-NetEventProvider                               1.0.0.0    NetEventPacketCapture
Function        Get-NetEventSession                                1.0.0.0    NetEventPacketCapture
Function        Get-NetEventVFPProvider                            1.0.0.0    NetEventPacketCapture
Function        Get-NetEventVmNetworkAdapter                       1.0.0.0    NetEventPacketCapture
Function        Get-NetEventVmSwitch                               1.0.0.0    NetEventPacketCapture
Function        Get-NetEventVmSwitchProvider                       1.0.0.0    NetEventPacketCapture
Function        Get-NetEventWFPCaptureProvider                     1.0.0.0    NetEventPacketCapture
Function        Get-NetFirewallAddressFilter                       2.0.0.0    NetSecurity
Function        Get-NetFirewallApplicationFilter                   2.0.0.0    NetSecurity
Function        Get-NetFirewallDynamicKeywordAddress               2.0.0.0    NetSecurity
Function        Get-NetFirewallHyperVPort                          2.0.0.0    NetSecurity
Function        Get-NetFirewallHyperVProfile                       2.0.0.0    NetSecurity
Function        Get-NetFirewallHyperVRule                          2.0.0.0    NetSecurity
Function        Get-NetFirewallHyperVVMCreator                     2.0.0.0    NetSecurity
Function        Get-NetFirewallHyperVVMSetting                     2.0.0.0    NetSecurity
Function        Get-NetFirewallInterfaceFilter                     2.0.0.0    NetSecurity
Function        Get-NetFirewallInterfaceTypeFilter                 2.0.0.0    NetSecurity
Function        Get-NetFirewallPortFilter                          2.0.0.0    NetSecurity
Function        Get-NetFirewallProfile                             2.0.0.0    NetSecurity
Function        Get-NetFirewallRule                                2.0.0.0    NetSecurity
Function        Get-NetFirewallSecurityFilter                      2.0.0.0    NetSecurity
Function        Get-NetFirewallServiceFilter                       2.0.0.0    NetSecurity
Function        Get-NetFirewallSetting                             2.0.0.0    NetSecurity
Function        Get-NetIPAddress                                   1.0.0.0    NetTCPIP
Function        Get-NetIPConfiguration                             1.0.0.0    NetTCPIP
Function        Get-NetIPHttpsConfiguration                        1.0.0.0    NetworkTransition
Function        Get-NetIPHttpsState                                1.0.0.0    NetworkTransition
Function        Get-NetIPInterface                                 1.0.0.0    NetTCPIP
Function        Get-NetIPsecDospSetting                            2.0.0.0    NetSecurity
Function        Get-NetIPsecMainModeCryptoSet                      2.0.0.0    NetSecurity
Function        Get-NetIPsecMainModeRule                           2.0.0.0    NetSecurity
Function        Get-NetIPsecMainModeSA                             2.0.0.0    NetSecurity
Function        Get-NetIPsecPhase1AuthSet                          2.0.0.0    NetSecurity
Function        Get-NetIPsecPhase2AuthSet                          2.0.0.0    NetSecurity
Function        Get-NetIPsecQuickModeCryptoSet                     2.0.0.0    NetSecurity
Function        Get-NetIPsecQuickModeSA                            2.0.0.0    NetSecurity
Function        Get-NetIPsecRule                                   2.0.0.0    NetSecurity
Function        Get-NetIPv4Protocol                                1.0.0.0    NetTCPIP
Function        Get-NetIPv6Protocol                                1.0.0.0    NetTCPIP
Function        Get-NetIsatapConfiguration                         1.0.0.0    NetworkTransition
Function        Get-NetLbfoTeam                                    2.0.0.0    NetLbfo
Function        Get-NetLbfoTeamMember                              2.0.0.0    NetLbfo
Function        Get-NetLbfoTeamNic                                 2.0.0.0    NetLbfo
Function        Get-NetNat                                         1.0.0.0    NetNat
Function        Get-NetNatExternalAddress                          1.0.0.0    NetNat
Function        Get-NetNatGlobal                                   1.0.0.0    NetNat
Function        Get-NetNatSession                                  1.0.0.0    NetNat
Function        Get-NetNatStaticMapping                            1.0.0.0    NetNat
Function        Get-NetNatTransitionConfiguration                  1.0.0.0    NetworkTransition
Function        Get-NetNatTransitionMonitoring                     1.0.0.0    NetworkTransition
Function        Get-NetNeighbor                                    1.0.0.0    NetTCPIP
Function        Get-NetOffloadGlobalSetting                        1.0.0.0    NetTCPIP
Function        Get-NetPrefixPolicy                                1.0.0.0    NetTCPIP
Function        Get-NetQosPolicy                                   2.0.0.0    NetQos
Function        Get-NetRoute                                       1.0.0.0    NetTCPIP
Function        Get-NetSwitchTeam                                  1.0.0.0    NetSwitchTeam
Function        Get-NetSwitchTeamMember                            1.0.0.0    NetSwitchTeam
Function        Get-NetTCPConnection                               1.0.0.0    NetTCPIP
Function        Get-NetTCPSetting                                  1.0.0.0    NetTCPIP
Function        Get-NetTeredoConfiguration                         1.0.0.0    NetworkTransition
Function        Get-NetTeredoState                                 1.0.0.0    NetworkTransition
Function        Get-NetTransportFilter                             1.0.0.0    NetTCPIP
Function        Get-NetUDPEndpoint                                 1.0.0.0    NetTCPIP
Function        Get-NetUDPSetting                                  1.0.0.0    NetTCPIP
Function        Get-NetView                                        2023.2.... Get-NetView
Function        Get-NetworkSwitchEthernetPort                      1.0.0.0    NetworkSwitchManager
Function        Get-NetworkSwitchFeature                           1.0.0.0    NetworkSwitchManager
Function        Get-NetworkSwitchGlobalData                        1.0.0.0    NetworkSwitchManager
Function        Get-NetworkSwitchVlan                              1.0.0.0    NetworkSwitchManager
Function        Get-OdbcDriver                                     1.0.0.0    Wdac
Function        Get-OdbcDsn                                        1.0.0.0    Wdac
Function        Get-OdbcPerfCounter                                1.0.0.0    Wdac
Function        Get-OffloadDataTransferSetting                     2.0.0.0    Storage
Function        Get-OperationValidation                            1.0.1      Microsoft.PowerShell.Op...
Function        Get-Partition                                      2.0.0.0    Storage
Function        Get-PartitionSupportedSize                         2.0.0.0    Storage
Function        Get-PcsvDevice                                     1.0.0.0    PcsvDevice
Function        Get-PcsvDeviceLog                                  1.0.0.0    PcsvDevice
Function        Get-PhysicalDisk                                   2.0.0.0    Storage
Function        Get-PhysicalDiskStorageNodeView                    2.0.0.0    Storage
Function        Get-PhysicalExtent                                 2.0.0.0    Storage
Function        Get-PhysicalExtentAssociation                      2.0.0.0    Storage
Function        Get-PnpDevice                                      1.0.0.0    PnpDevice
Function        Get-PnpDeviceProperty                              1.0.0.0    PnpDevice
Function        Get-PrintConfiguration                             1.1        PrintManagement
Function        Get-Printer                                        1.1        PrintManagement
Function        Get-PrinterDriver                                  1.1        PrintManagement
Function        Get-PrinterPort                                    1.1        PrintManagement
Function        Get-PrinterProperty                                1.1        PrintManagement
Function        Get-PrintJob                                       1.1        PrintManagement
Function        Get-PSRepository                                   1.0.0.1    PowerShellGet
Function        Get-ResiliencySetting                              2.0.0.0    Storage
Function        Get-ScheduledTask                                  1.0.0.0    ScheduledTasks
Function        Get-ScheduledTaskInfo                              1.0.0.0    ScheduledTasks
Function        Get-SmbBandWidthLimit                              2.0.0.0    SmbShare
Function        Get-SmbClientAccessToServer                        2.0.0.0    SmbShare
Function        Get-SmbClientCertificateMapping                    2.0.0.0    SmbShare
Function        Get-SmbClientConfiguration                         2.0.0.0    SmbShare
Function        Get-SmbClientNetworkInterface                      2.0.0.0    SmbShare
Function        Get-SmbConnection                                  2.0.0.0    SmbShare
Function        Get-SmbDelegation                                  2.0.0.0    SmbShare
Function        Get-SmbGlobalMapping                               2.0.0.0    SmbShare
Function        Get-SmbMapping                                     2.0.0.0    SmbShare
Function        Get-SmbMultichannelConnection                      2.0.0.0    SmbShare
Function        Get-SmbMultichannelConstraint                      2.0.0.0    SmbShare
Function        Get-SmbOpenFile                                    2.0.0.0    SmbShare
Function        Get-SmbServerAlternativePort                       2.0.0.0    SmbShare
Function        Get-SmbServerCertificateMapping                    2.0.0.0    SmbShare
Function        Get-SmbServerCertProps                             2.0.0.0    SmbShare
Function        Get-SmbServerConfiguration                         2.0.0.0    SmbShare
Function        Get-SmbServerNetworkInterface                      2.0.0.0    SmbShare
Function        Get-SmbSession                                     2.0.0.0    SmbShare
Function        Get-SmbShare                                       2.0.0.0    SmbShare
Function        Get-SmbShareAccess                                 2.0.0.0    SmbShare
Function        Get-SmbWitnessClient                               2.0.0.0    SmbWitness
Function        Get-StartApps                                      1.0.0.1    StartLayout
Function        Get-StorageAdvancedProperty                        2.0.0.0    Storage
Function        Get-StorageBusBinding                              1.0.0.0    StorageBusCache
Function        Get-StorageBusCache                                1.0.0.0    StorageBusCache
Function        Get-StorageBusClientDevice                         1.0.0.0    StorageBusCache
Function        Get-StorageBusDisk                                 1.0.0.0    StorageBusCache
Function        Get-StorageBusTargetCacheStore                     1.0.0.0    StorageBusCache
Function        Get-StorageBusTargetCacheStoresInstance            1.0.0.0    StorageBusCache
Function        Get-StorageBusTargetDevice                         1.0.0.0    StorageBusCache
Function        Get-StorageBusTargetDeviceInstance                 1.0.0.0    StorageBusCache
Function        Get-StorageChassis                                 2.0.0.0    Storage
Function        Get-StorageDataCollection                          2.0.0.0    Storage
Function        Get-StorageDiagnosticInfo                          2.0.0.0    Storage
Function        Get-StorageEnclosure                               2.0.0.0    Storage
Function        Get-StorageEnclosureStorageNodeView                2.0.0.0    Storage
Function        Get-StorageEnclosureVendorData                     2.0.0.0    Storage
Function        Get-StorageExtendedStatus                          2.0.0.0    Storage
Function        Get-StorageFaultDomain                             2.0.0.0    Storage
Function        Get-StorageFileServer                              2.0.0.0    Storage
Function        Get-StorageFirmwareInformation                     2.0.0.0    Storage
Function        Get-StorageHealthAction                            2.0.0.0    Storage
Function        Get-StorageHealthReport                            2.0.0.0    Storage
Function        Get-StorageHealthSetting                           2.0.0.0    Storage
Function        Get-StorageHistory                                 2.0.0.0    Storage
Function        Get-StorageJob                                     2.0.0.0    Storage
Function        Get-StorageNode                                    2.0.0.0    Storage
Function        Get-StoragePool                                    2.0.0.0    Storage
Function        Get-StorageProvider                                2.0.0.0    Storage
Function        Get-StorageRack                                    2.0.0.0    Storage
Function        Get-StorageReliabilityCounter                      2.0.0.0    Storage
Function        Get-StorageScaleUnit                               2.0.0.0    Storage
Function        Get-StorageSetting                                 2.0.0.0    Storage
Function        Get-StorageSite                                    2.0.0.0    Storage
Function        Get-StorageSubSystem                               2.0.0.0    Storage
Function        Get-StorageTier                                    2.0.0.0    Storage
Function        Get-StorageTierSupportedSize                       2.0.0.0    Storage
Function        Get-SupportedClusterSizes                          2.0.0.0    Storage
Function        Get-SupportedFileSystems                           2.0.0.0    Storage
Function        Get-TargetPort                                     2.0.0.0    Storage
Function        Get-TargetPortal                                   2.0.0.0    Storage
Function        Get-TestDriveItem                                  3.4.0      Pester
Function        Get-Verb
Function        Get-VirtualDisk                                    2.0.0.0    Storage
Function        Get-VirtualDiskSupportedSize                       2.0.0.0    Storage
Function        Get-VMDirectVirtualDisk                            1.0.0.0    VMDirectStorage
Function        Get-Volume                                         2.0.0.0    Storage
Function        Get-VolumeCorruptionCount                          2.0.0.0    Storage
Function        Get-VolumeScrubPolicy                              2.0.0.0    Storage
Function        Get-VpnConnection                                  2.0.0.0    VpnClient
Function        Get-VpnConnectionTrigger                           2.0.0.0    VpnClient
Function        Get-WdacBidTrace                                   1.0.0.0    Wdac
Function        Get-WindowsUpdateLog                               1.0.0.0    WindowsUpdate
Function        Get-WinhttpProxy                                   1.0.0.0    WinHttpProxy
Function        Grant-FileShareAccess                              2.0.0.0    Storage
Function        Grant-SmbClientAccessToServer                      2.0.0.0    SmbShare
Function        Grant-SmbShareAccess                               2.0.0.0    SmbShare
Function        H:
Function        help
Function        Hide-VirtualDisk                                   2.0.0.0    Storage
Function        I:
Function        Import-BCCachePackage                              1.0.0.0    BranchCache
Function        Import-BCSecretKey                                 1.0.0.0    BranchCache
Function        Import-IseSnippet                                  1.0.0.0    ISE
Function        Import-PowerShellDataFile                          3.1.0.0    Microsoft.PowerShell.Ut...
Function        ImportSystemModules
Function        Import-WinhttpProxy                                1.0.0.0    WinHttpProxy
Function        In                                                 3.4.0      Pester
Function        Initialize-Disk                                    2.0.0.0    Storage
Function        InModuleScope                                      3.4.0      Pester
Function        Install-Dtc                                        1.0.0.0    MsDtc
Function        Install-Module                                     1.0.0.1    PowerShellGet
Function        Install-Script                                     1.0.0.1    PowerShellGet
Function        Invoke-AsWorkflow                                  1.0.0.0    PSWorkflowUtility
Function        Invoke-Mock                                        3.4.0      Pester
Function        Invoke-OperationValidation                         1.0.1      Microsoft.PowerShell.Op...
Function        Invoke-Pester                                      3.4.0      Pester
Function        It                                                 3.4.0      Pester
Function        J:
Function        K:
Function        L:
Function        Lock-BitLocker                                     1.0.0.0    BitLocker
Function        M:
Function        mkdir
Function        Mock                                               3.4.0      Pester
Function        more
Function        Mount-DiskImage                                    2.0.0.0    Storage
Function        Move-SmbWitnessClient                              2.0.0.0    SmbWitness
Function        N:
Function        New-AutologgerConfig                               1.0.0.0    EventTracingManagement
Function        New-DAEntryPointTableItem                          1.0.0.0    DirectAccessClientCompo...
Function        New-DscChecksum                                    1.1        PSDesiredStateConfigura...
Function        New-EapConfiguration                               2.0.0.0    VpnClient
Function        New-EtwTraceSession                                1.0.0.0    EventTracingManagement
Function        New-FileShare                                      2.0.0.0    Storage
Function        New-Fixture                                        3.4.0      Pester
Function        New-Guid                                           3.1.0.0    Microsoft.PowerShell.Ut...
Function        New-IscsiTargetPortal                              1.0.0.0    iSCSI
Function        New-IseSnippet                                     1.0.0.0    ISE
Function        New-MaskingSet                                     2.0.0.0    Storage
Function        New-MpPerformanceRecording                         1.0        ConfigDefenderPerformance
Function        New-MpPerformanceRecording                         1.0        DefenderPerformance
Function        New-NetAdapterAdvancedProperty                     2.0.0.0    NetAdapter
Function        New-NetEventSession                                1.0.0.0    NetEventPacketCapture
Function        New-NetFirewallDynamicKeywordAddress               2.0.0.0    NetSecurity
Function        New-NetFirewallHyperVProfile                       2.0.0.0    NetSecurity
Function        New-NetFirewallHyperVRule                          2.0.0.0    NetSecurity
Function        New-NetFirewallHyperVVMSetting                     2.0.0.0    NetSecurity
Function        New-NetFirewallRule                                2.0.0.0    NetSecurity
Function        New-NetIPAddress                                   1.0.0.0    NetTCPIP
Function        New-NetIPHttpsConfiguration                        1.0.0.0    NetworkTransition
Function        New-NetIPsecDospSetting                            2.0.0.0    NetSecurity
Function        New-NetIPsecMainModeCryptoSet                      2.0.0.0    NetSecurity
Function        New-NetIPsecMainModeRule                           2.0.0.0    NetSecurity
Function        New-NetIPsecPhase1AuthSet                          2.0.0.0    NetSecurity
Function        New-NetIPsecPhase2AuthSet                          2.0.0.0    NetSecurity
Function        New-NetIPsecQuickModeCryptoSet                     2.0.0.0    NetSecurity
Function        New-NetIPsecRule                                   2.0.0.0    NetSecurity
Function        New-NetLbfoTeam                                    2.0.0.0    NetLbfo
Function        New-NetNat                                         1.0.0.0    NetNat
Function        New-NetNatTransitionConfiguration                  1.0.0.0    NetworkTransition
Function        New-NetNeighbor                                    1.0.0.0    NetTCPIP
Function        New-NetQosPolicy                                   2.0.0.0    NetQos
Function        New-NetRoute                                       1.0.0.0    NetTCPIP
Function        New-NetSwitchTeam                                  1.0.0.0    NetSwitchTeam
Function        New-NetTransportFilter                             1.0.0.0    NetTCPIP
Function        New-NetworkSwitchVlan                              1.0.0.0    NetworkSwitchManager
Function        New-Partition                                      2.0.0.0    Storage
Function        New-PesterOption                                   3.4.0      Pester
Function        New-PSWorkflowSession                              2.0.0.0    PSWorkflow
Function        New-ScheduledTask                                  1.0.0.0    ScheduledTasks
Function        New-ScheduledTaskAction                            1.0.0.0    ScheduledTasks
Function        New-ScheduledTaskPrincipal                         1.0.0.0    ScheduledTasks
Function        New-ScheduledTaskSettingsSet                       1.0.0.0    ScheduledTasks
Function        New-ScheduledTaskTrigger                           1.0.0.0    ScheduledTasks
Function        New-ScriptFileInfo                                 1.0.0.1    PowerShellGet
Function        New-SmbClientCertificateMapping                    2.0.0.0    SmbShare
Function        New-SmbGlobalMapping                               2.0.0.0    SmbShare
Function        New-SmbMapping                                     2.0.0.0    SmbShare
Function        New-SmbMultichannelConstraint                      2.0.0.0    SmbShare
Function        New-SmbServerAlternativePort                       2.0.0.0    SmbShare
Function        New-SmbServerCertificateMapping                    2.0.0.0    SmbShare
Function        New-SmbShare                                       2.0.0.0    SmbShare
Function        New-StorageBusBinding                              1.0.0.0    StorageBusCache
Function        New-StorageBusCacheStore                           1.0.0.0    StorageBusCache
Function        New-StorageFileServer                              2.0.0.0    Storage
Function        New-StoragePool                                    2.0.0.0    Storage
Function        New-StorageSubsystemVirtualDisk                    2.0.0.0    Storage
Function        New-StorageTier                                    2.0.0.0    Storage
Function        New-TemporaryFile                                  3.1.0.0    Microsoft.PowerShell.Ut...
Function        New-VirtualDisk                                    2.0.0.0    Storage
Function        New-VirtualDiskClone                               2.0.0.0    Storage
Function        New-VirtualDiskSnapshot                            2.0.0.0    Storage
Function        New-Volume                                         2.0.0.0    Storage
Function        New-VpnServerAddress                               2.0.0.0    VpnClient
Function        O:
Function        Open-NetGPO                                        2.0.0.0    NetSecurity
Function        Optimize-StoragePool                               2.0.0.0    Storage
Function        Optimize-Volume                                    2.0.0.0    Storage
Function        oss
Function        P:
Function        Pause
Function        prompt
Function        PSConsoleHostReadLine                              2.0.0      PSReadLine
Function        Publish-BCFileContent                              1.0.0.0    BranchCache
Function        Publish-BCWebContent                               1.0.0.0    BranchCache
Function        Publish-Module                                     1.0.0.1    PowerShellGet
Function        Publish-Script                                     1.0.0.1    PowerShellGet
Function        Q:
Function        R:
Function        Read-PrinterNfcTag                                 1.1        PrintManagement
Function        Register-ClusteredScheduledTask                    1.0.0.0    ScheduledTasks
Function        Register-DnsClient                                 1.0.0.0    DnsClient
Function        Register-IscsiSession                              1.0.0.0    iSCSI
Function        Register-PSRepository                              1.0.0.1    PowerShellGet
Function        Register-ScheduledTask                             1.0.0.0    ScheduledTasks
Function        Register-StorageSubsystem                          2.0.0.0    Storage
Function        Remove-AutologgerConfig                            1.0.0.0    EventTracingManagement
Function        Remove-BCDataCacheExtension                        1.0.0.0    BranchCache
Function        Remove-BitLockerKeyProtector                       1.0.0.0    BitLocker
Function        Remove-DAEntryPointTableItem                       1.0.0.0    DirectAccessClientCompo...
Function        Remove-DnsClientDohServerAddress                   1.0.0.0    DnsClient
Function        Remove-DnsClientNrptRule                           1.0.0.0    DnsClient
Function        Remove-DscConfigurationDocument                    1.1        PSDesiredStateConfigura...
Function        Remove-DtcClusterTMMapping                         1.0.0.0    MsDtc
Function        Remove-EtwTraceProvider                            1.0.0.0    EventTracingManagement
Function        Remove-FileShare                                   2.0.0.0    Storage
Function        Remove-InitiatorId                                 2.0.0.0    Storage
Function        Remove-InitiatorIdFromMaskingSet                   2.0.0.0    Storage
Function        Remove-IscsiTargetPortal                           1.0.0.0    iSCSI
Function        Remove-MaskingSet                                  2.0.0.0    Storage
Function        Remove-MpBehavioralNetworkBlockingRules            1.0        ConfigDefender
Function        Remove-MpPreference                                1.0        ConfigDefender
Function        Remove-MpPreference                                1.0        Defender
Function        Remove-MpThreat                                    1.0        ConfigDefender
Function        Remove-MpThreat                                    1.0        Defender
Function        Remove-NetAdapterAdvancedProperty                  2.0.0.0    NetAdapter
Function        Remove-NetEventNetworkAdapter                      1.0.0.0    NetEventPacketCapture
Function        Remove-NetEventPacketCaptureProvider               1.0.0.0    NetEventPacketCapture
Function        Remove-NetEventProvider                            1.0.0.0    NetEventPacketCapture
Function        Remove-NetEventSession                             1.0.0.0    NetEventPacketCapture
Function        Remove-NetEventVFPProvider                         1.0.0.0    NetEventPacketCapture
Function        Remove-NetEventVmNetworkAdapter                    1.0.0.0    NetEventPacketCapture
Function        Remove-NetEventVmSwitch                            1.0.0.0    NetEventPacketCapture
Function        Remove-NetEventVmSwitchProvider                    1.0.0.0    NetEventPacketCapture
Function        Remove-NetEventWFPCaptureProvider                  1.0.0.0    NetEventPacketCapture
Function        Remove-NetFirewallDynamicKeywordAddress            2.0.0.0    NetSecurity
Function        Remove-NetFirewallHyperVProfile                    2.0.0.0    NetSecurity
Function        Remove-NetFirewallHyperVRule                       2.0.0.0    NetSecurity
Function        Remove-NetFirewallHyperVVMSetting                  2.0.0.0    NetSecurity
Function        Remove-NetFirewallRule                             2.0.0.0    NetSecurity
Function        Remove-NetIPAddress                                1.0.0.0    NetTCPIP
Function        Remove-NetIPHttpsCertBinding                       1.0.0.0    NetworkTransition
Function        Remove-NetIPHttpsConfiguration                     1.0.0.0    NetworkTransition
Function        Remove-NetIPsecDospSetting                         2.0.0.0    NetSecurity
Function        Remove-NetIPsecMainModeCryptoSet                   2.0.0.0    NetSecurity
Function        Remove-NetIPsecMainModeRule                        2.0.0.0    NetSecurity
Function        Remove-NetIPsecMainModeSA                          2.0.0.0    NetSecurity
Function        Remove-NetIPsecPhase1AuthSet                       2.0.0.0    NetSecurity
Function        Remove-NetIPsecPhase2AuthSet                       2.0.0.0    NetSecurity
Function        Remove-NetIPsecQuickModeCryptoSet                  2.0.0.0    NetSecurity
Function        Remove-NetIPsecQuickModeSA                         2.0.0.0    NetSecurity
Function        Remove-NetIPsecRule                                2.0.0.0    NetSecurity
Function        Remove-NetLbfoTeam                                 2.0.0.0    NetLbfo
Function        Remove-NetLbfoTeamMember                           2.0.0.0    NetLbfo
Function        Remove-NetLbfoTeamNic                              2.0.0.0    NetLbfo
Function        Remove-NetNat                                      1.0.0.0    NetNat
Function        Remove-NetNatExternalAddress                       1.0.0.0    NetNat
Function        Remove-NetNatStaticMapping                         1.0.0.0    NetNat
Function        Remove-NetNatTransitionConfiguration               1.0.0.0    NetworkTransition
Function        Remove-NetNeighbor                                 1.0.0.0    NetTCPIP
Function        Remove-NetQosPolicy                                2.0.0.0    NetQos
Function        Remove-NetRoute                                    1.0.0.0    NetTCPIP
Function        Remove-NetSwitchTeam                               1.0.0.0    NetSwitchTeam
Function        Remove-NetSwitchTeamMember                         1.0.0.0    NetSwitchTeam
Function        Remove-NetTransportFilter                          1.0.0.0    NetTCPIP
Function        Remove-NetworkSwitchEthernetPortIPAddress          1.0.0.0    NetworkSwitchManager
Function        Remove-NetworkSwitchVlan                           1.0.0.0    NetworkSwitchManager
Function        Remove-OdbcDsn                                     1.0.0.0    Wdac
Function        Remove-Partition                                   2.0.0.0    Storage
Function        Remove-PartitionAccessPath                         2.0.0.0    Storage
Function        Remove-PhysicalDisk                                2.0.0.0    Storage
Function        Remove-Printer                                     1.1        PrintManagement
Function        Remove-PrinterDriver                               1.1        PrintManagement
Function        Remove-PrinterPort                                 1.1        PrintManagement
Function        Remove-PrintJob                                    1.1        PrintManagement
Function        Remove-SmbBandwidthLimit                           2.0.0.0    SmbShare
Function        Remove-SmbClientCertificateMapping                 2.0.0.0    SmbShare
Function        Remove-SMBComponent                                2.0.0.0    SmbShare
Function        Remove-SmbGlobalMapping                            2.0.0.0    SmbShare
Function        Remove-SmbMapping                                  2.0.0.0    SmbShare
Function        Remove-SmbMultichannelConstraint                   2.0.0.0    SmbShare
Function        Remove-SmbServerAlternativePort                    2.0.0.0    SmbShare
Function        Remove-SmbServerCertificateMapping                 2.0.0.0    SmbShare
Function        Remove-SmbShare                                    2.0.0.0    SmbShare
Function        Remove-StorageBusBinding                           1.0.0.0    StorageBusCache
Function        Remove-StorageFaultDomain                          2.0.0.0    Storage
Function        Remove-StorageFileServer                           2.0.0.0    Storage
Function        Remove-StorageHealthIntent                         2.0.0.0    Storage
Function        Remove-StorageHealthSetting                        2.0.0.0    Storage
Function        Remove-StoragePool                                 2.0.0.0    Storage
Function        Remove-StorageTier                                 2.0.0.0    Storage
Function        Remove-TargetPortFromMaskingSet                    2.0.0.0    Storage
Function        Remove-VirtualDisk                                 2.0.0.0    Storage
Function        Remove-VirtualDiskFromMaskingSet                   2.0.0.0    Storage
Function        Remove-VMDirectVirtualDisk                         1.0.0.0    VMDirectStorage
Function        Remove-VpnConnection                               2.0.0.0    VpnClient
Function        Remove-VpnConnectionRoute                          2.0.0.0    VpnClient
Function        Remove-VpnConnectionTriggerApplication             2.0.0.0    VpnClient
Function        Remove-VpnConnectionTriggerDnsConfiguration        2.0.0.0    VpnClient
Function        Remove-VpnConnectionTriggerTrustedNetwork          2.0.0.0    VpnClient
Function        Rename-DAEntryPointTableItem                       1.0.0.0    DirectAccessClientCompo...
Function        Rename-MaskingSet                                  2.0.0.0    Storage
Function        Rename-NetAdapter                                  2.0.0.0    NetAdapter
Function        Rename-NetFirewallHyperVRule                       2.0.0.0    NetSecurity
Function        Rename-NetFirewallRule                             2.0.0.0    NetSecurity
Function        Rename-NetIPHttpsConfiguration                     1.0.0.0    NetworkTransition
Function        Rename-NetIPsecMainModeCryptoSet                   2.0.0.0    NetSecurity
Function        Rename-NetIPsecMainModeRule                        2.0.0.0    NetSecurity
Function        Rename-NetIPsecPhase1AuthSet                       2.0.0.0    NetSecurity
Function        Rename-NetIPsecPhase2AuthSet                       2.0.0.0    NetSecurity
Function        Rename-NetIPsecQuickModeCryptoSet                  2.0.0.0    NetSecurity
Function        Rename-NetIPsecRule                                2.0.0.0    NetSecurity
Function        Rename-NetLbfoTeam                                 2.0.0.0    NetLbfo
Function        Rename-NetSwitchTeam                               1.0.0.0    NetSwitchTeam
Function        Rename-Printer                                     1.1        PrintManagement
Function        Repair-FileIntegrity                               2.0.0.0    Storage
Function        Repair-VirtualDisk                                 2.0.0.0    Storage
Function        Repair-Volume                                      2.0.0.0    Storage
Function        Reset-BC                                           1.0.0.0    BranchCache
Function        Reset-DAClientExperienceConfiguration              1.0.0.0    DirectAccessClientCompo...
Function        Reset-DAEntryPointTableItem                        1.0.0.0    DirectAccessClientCompo...
Function        Reset-DtcLog                                       1.0.0.0    MsDtc
Function        Reset-NCSIPolicyConfiguration                      1.0.0.0    NetworkConnectivityStatus
Function        Reset-Net6to4Configuration                         1.0.0.0    NetworkTransition
Function        Reset-NetAdapterAdvancedProperty                   2.0.0.0    NetAdapter
Function        Reset-NetDnsTransitionConfiguration                1.0.0.0    NetworkTransition
Function        Reset-NetIPHttpsConfiguration                      1.0.0.0    NetworkTransition
Function        Reset-NetIsatapConfiguration                       1.0.0.0    NetworkTransition
Function        Reset-NetTeredoConfiguration                       1.0.0.0    NetworkTransition
Function        Reset-PhysicalDisk                                 2.0.0.0    Storage
Function        Reset-SmbClientConfiguration                       2.0.0.0    SmbShare
Function        Reset-SmbServerConfiguration                       2.0.0.0    SmbShare
Function        Reset-StorageReliabilityCounter                    2.0.0.0    Storage
Function        Reset-WinhttpProxy                                 1.0.0.0    WinHttpProxy
Function        Resize-Partition                                   2.0.0.0    Storage
Function        Resize-StorageTier                                 2.0.0.0    Storage
Function        Resize-VirtualDisk                                 2.0.0.0    Storage
Function        Restart-NetAdapter                                 2.0.0.0    NetAdapter
Function        Restart-PcsvDevice                                 1.0.0.0    PcsvDevice
Function        Restart-PrintJob                                   1.1        PrintManagement
Function        Restore-DscConfiguration                           1.1        PSDesiredStateConfigura...
Function        Restore-NetworkSwitchConfiguration                 1.0.0.0    NetworkSwitchManager
Function        Resume-BitLocker                                   1.0.0.0    BitLocker
Function        Resume-PrintJob                                    1.1        PrintManagement
Function        Resume-StorageBusDisk                              1.0.0.0    StorageBusCache
Function        Revoke-FileShareAccess                             2.0.0.0    Storage
Function        Revoke-SmbClientAccessToServer                     2.0.0.0    SmbShare
Function        Revoke-SmbShareAccess                              2.0.0.0    SmbShare
Function        S:
Function        SafeGetCommand                                     3.4.0      Pester
Function        Save-EtwTraceSession                               1.0.0.0    EventTracingManagement
Function        Save-Module                                        1.0.0.1    PowerShellGet
Function        Save-NetGPO                                        2.0.0.0    NetSecurity
Function        Save-NetworkSwitchConfiguration                    1.0.0.0    NetworkSwitchManager
Function        Save-Script                                        1.0.0.1    PowerShellGet
Function        Save-StorageDataCollection                         2.0.0.0    Storage
Function        Send-EtwTraceSession                               1.0.0.0    EventTracingManagement
Function        Set-AssignedAccess                                 1.0.0.0    AssignedAccess
Function        Set-BCAuthentication                               1.0.0.0    BranchCache
Function        Set-BCCache                                        1.0.0.0    BranchCache
Function        Set-BCDataCacheEntryMaxAge                         1.0.0.0    BranchCache
Function        Set-BCMinSMBLatency                                1.0.0.0    BranchCache
Function        Set-BCSecretKey                                    1.0.0.0    BranchCache
Function        Set-ClusteredScheduledTask                         1.0.0.0    ScheduledTasks
Function        Set-DAClientExperienceConfiguration                1.0.0.0    DirectAccessClientCompo...
Function        Set-DAEntryPointTableItem                          1.0.0.0    DirectAccessClientCompo...
Function        Set-DeliveryOptimizationStatus                     1.0.3.0    DeliveryOptimization
Function        Set-Disk                                           2.0.0.0    Storage
Function        Set-DnsClient                                      1.0.0.0    DnsClient
Function        Set-DnsClientDohServerAddress                      1.0.0.0    DnsClient
Function        Set-DnsClientGlobalSetting                         1.0.0.0    DnsClient
Function        Set-DnsClientNrptGlobal                            1.0.0.0    DnsClient
Function        Set-DnsClientNrptRule                              1.0.0.0    DnsClient
Function        Set-DnsClientServerAddress                         1.0.0.0    DnsClient
Function        Set-DODownloadMode                                 1.0.3.0    DeliveryOptimization
Function        Set-DOMaxBackgroundBandwidth                       1.0.3.0    DeliveryOptimization
Function        Set-DOMaxForegroundBandwidth                       1.0.3.0    DeliveryOptimization
Function        Set-DOPercentageMaxBackgroundBandwidth             1.0.3.0    DeliveryOptimization
Function        Set-DOPercentageMaxForegroundBandwidth             1.0.3.0    DeliveryOptimization
Function        Set-DtcAdvancedHostSetting                         1.0.0.0    MsDtc
Function        Set-DtcAdvancedSetting                             1.0.0.0    MsDtc
Function        Set-DtcClusterDefault                              1.0.0.0    MsDtc
Function        Set-DtcClusterTMMapping                            1.0.0.0    MsDtc
Function        Set-DtcDefault                                     1.0.0.0    MsDtc
Function        Set-DtcLog                                         1.0.0.0    MsDtc
Function        Set-DtcNetworkSetting                              1.0.0.0    MsDtc
Function        Set-DtcTransaction                                 1.0.0.0    MsDtc
Function        Set-DtcTransactionsTraceSession                    1.0.0.0    MsDtc
Function        Set-DtcTransactionsTraceSetting                    1.0.0.0    MsDtc
Function        Set-DynamicParameterVariables                      3.4.0      Pester
Function        Set-EtwTraceProvider                               1.0.0.0    EventTracingManagement
Function        Set-FileIntegrity                                  2.0.0.0    Storage
Function        Set-FileShare                                      2.0.0.0    Storage
Function        Set-FileStorageTier                                2.0.0.0    Storage
Function        Set-InitiatorPort                                  2.0.0.0    Storage
Function        Set-IscsiChapSecret                                1.0.0.0    iSCSI
Function        Set-LogProperties                                  1.0.0.0    PSDiagnostics
Function        Set-MMAgent                                        1.0        MMAgent
Function        Set-MpPreference                                   1.0        ConfigDefender
Function        Set-MpPreference                                   1.0        Defender
Function        Set-NCSIPolicyConfiguration                        1.0.0.0    NetworkConnectivityStatus
Function        Set-Net6to4Configuration                           1.0.0.0    NetworkTransition
Function        Set-NetAdapter                                     2.0.0.0    NetAdapter
Function        Set-NetAdapterAdvancedProperty                     2.0.0.0    NetAdapter
Function        Set-NetAdapterBinding                              2.0.0.0    NetAdapter
Function        Set-NetAdapterChecksumOffload                      2.0.0.0    NetAdapter
Function        Set-NetAdapterDataPathConfiguration                2.0.0.0    NetAdapter
Function        Set-NetAdapterEncapsulatedPacketTaskOffload        2.0.0.0    NetAdapter
Function        Set-NetAdapterIPsecOffload                         2.0.0.0    NetAdapter
Function        Set-NetAdapterLso                                  2.0.0.0    NetAdapter
Function        Set-NetAdapterPacketDirect                         2.0.0.0    NetAdapter
Function        Set-NetAdapterPowerManagement                      2.0.0.0    NetAdapter
Function        Set-NetAdapterQos                                  2.0.0.0    NetAdapter
Function        Set-NetAdapterRdma                                 2.0.0.0    NetAdapter
Function        Set-NetAdapterRsc                                  2.0.0.0    NetAdapter
Function        Set-NetAdapterRss                                  2.0.0.0    NetAdapter
Function        Set-NetAdapterSriov                                2.0.0.0    NetAdapter
Function        Set-NetAdapterUro                                  2.0.0.0    NetAdapter
Function        Set-NetAdapterUso                                  2.0.0.0    NetAdapter
Function        Set-NetAdapterVmq                                  2.0.0.0    NetAdapter
Function        Set-NetConnectionProfile                           2.0.0.0    NetConnection
Function        Set-NetDnsTransitionConfiguration                  1.0.0.0    NetworkTransition
Function        Set-NetEventPacketCaptureProvider                  1.0.0.0    NetEventPacketCapture
Function        Set-NetEventProvider                               1.0.0.0    NetEventPacketCapture
Function        Set-NetEventSession                                1.0.0.0    NetEventPacketCapture
Function        Set-NetEventVFPProvider                            1.0.0.0    NetEventPacketCapture
Function        Set-NetEventVmSwitchProvider                       1.0.0.0    NetEventPacketCapture
Function        Set-NetEventWFPCaptureProvider                     1.0.0.0    NetEventPacketCapture
Function        Set-NetFirewallAddressFilter                       2.0.0.0    NetSecurity
Function        Set-NetFirewallApplicationFilter                   2.0.0.0    NetSecurity
Function        Set-NetFirewallHyperVProfile                       2.0.0.0    NetSecurity
Function        Set-NetFirewallHyperVRule                          2.0.0.0    NetSecurity
Function        Set-NetFirewallHyperVVMSetting                     2.0.0.0    NetSecurity
Function        Set-NetFirewallInterfaceFilter                     2.0.0.0    NetSecurity
Function        Set-NetFirewallInterfaceTypeFilter                 2.0.0.0    NetSecurity
Function        Set-NetFirewallPortFilter                          2.0.0.0    NetSecurity
Function        Set-NetFirewallProfile                             2.0.0.0    NetSecurity
Function        Set-NetFirewallRule                                2.0.0.0    NetSecurity
Function        Set-NetFirewallSecurityFilter                      2.0.0.0    NetSecurity
Function        Set-NetFirewallServiceFilter                       2.0.0.0    NetSecurity
Function        Set-NetFirewallSetting                             2.0.0.0    NetSecurity
Function        Set-NetIPAddress                                   1.0.0.0    NetTCPIP
Function        Set-NetIPHttpsConfiguration                        1.0.0.0    NetworkTransition
Function        Set-NetIPInterface                                 1.0.0.0    NetTCPIP
Function        Set-NetIPsecDospSetting                            2.0.0.0    NetSecurity
Function        Set-NetIPsecMainModeCryptoSet                      2.0.0.0    NetSecurity
Function        Set-NetIPsecMainModeRule                           2.0.0.0    NetSecurity
Function        Set-NetIPsecPhase1AuthSet                          2.0.0.0    NetSecurity
Function        Set-NetIPsecPhase2AuthSet                          2.0.0.0    NetSecurity
Function        Set-NetIPsecQuickModeCryptoSet                     2.0.0.0    NetSecurity
Function        Set-NetIPsecRule                                   2.0.0.0    NetSecurity
Function        Set-NetIPv4Protocol                                1.0.0.0    NetTCPIP
Function        Set-NetIPv6Protocol                                1.0.0.0    NetTCPIP
Function        Set-NetIsatapConfiguration                         1.0.0.0    NetworkTransition
Function        Set-NetLbfoTeam                                    2.0.0.0    NetLbfo
Function        Set-NetLbfoTeamMember                              2.0.0.0    NetLbfo
Function        Set-NetLbfoTeamNic                                 2.0.0.0    NetLbfo
Function        Set-NetNat                                         1.0.0.0    NetNat
Function        Set-NetNatGlobal                                   1.0.0.0    NetNat
Function        Set-NetNatTransitionConfiguration                  1.0.0.0    NetworkTransition
Function        Set-NetNeighbor                                    1.0.0.0    NetTCPIP
Function        Set-NetOffloadGlobalSetting                        1.0.0.0    NetTCPIP
Function        Set-NetQosPolicy                                   2.0.0.0    NetQos
Function        Set-NetRoute                                       1.0.0.0    NetTCPIP
Function        Set-NetTCPSetting                                  1.0.0.0    NetTCPIP
Function        Set-NetTeredoConfiguration                         1.0.0.0    NetworkTransition
Function        Set-NetUDPSetting                                  1.0.0.0    NetTCPIP
Function        Set-NetworkSwitchEthernetPortIPAddress             1.0.0.0    NetworkSwitchManager
Function        Set-NetworkSwitchPortMode                          1.0.0.0    NetworkSwitchManager
Function        Set-NetworkSwitchPortProperty                      1.0.0.0    NetworkSwitchManager
Function        Set-NetworkSwitchVlanProperty                      1.0.0.0    NetworkSwitchManager
Function        Set-OdbcDriver                                     1.0.0.0    Wdac
Function        Set-OdbcDsn                                        1.0.0.0    Wdac
Function        Set-Partition                                      2.0.0.0    Storage
Function        Set-PcsvDeviceBootConfiguration                    1.0.0.0    PcsvDevice
Function        Set-PcsvDeviceNetworkConfiguration                 1.0.0.0    PcsvDevice
Function        Set-PcsvDeviceUserPassword                         1.0.0.0    PcsvDevice
Function        Set-PhysicalDisk                                   2.0.0.0    Storage
Function        Set-PrintConfiguration                             1.1        PrintManagement
Function        Set-Printer                                        1.1        PrintManagement
Function        Set-PrinterProperty                                1.1        PrintManagement
Function        Set-PSRepository                                   1.0.0.1    PowerShellGet
Function        Set-ResiliencySetting                              2.0.0.0    Storage
Function        Set-ScheduledTask                                  1.0.0.0    ScheduledTasks
Function        Set-SmbBandwidthLimit                              2.0.0.0    SmbShare
Function        Set-SmbClientCertificateMapping                    2.0.0.0    SmbShare
Function        Set-SmbClientConfiguration                         2.0.0.0    SmbShare
Function        Set-SmbPathAcl                                     2.0.0.0    SmbShare
Function        Set-SmbServerAlternativePort                       2.0.0.0    SmbShare
Function        Set-SmbServerCertificateMapping                    2.0.0.0    SmbShare
Function        Set-SmbServerConfiguration                         2.0.0.0    SmbShare
Function        Set-SmbShare                                       2.0.0.0    SmbShare
Function        Set-StorageBusCache                                1.0.0.0    StorageBusCache
Function        Set-StorageBusProfile                              1.0.0.0    StorageBusCache
Function        Set-StorageFileServer                              2.0.0.0    Storage
Function        Set-StorageHealthSetting                           2.0.0.0    Storage
Function        Set-StoragePool                                    2.0.0.0    Storage
Function        Set-StorageProvider                                2.0.0.0    Storage
Function        Set-StorageSetting                                 2.0.0.0    Storage
Function        Set-StorageSubSystem                               2.0.0.0    Storage
Function        Set-StorageTier                                    2.0.0.0    Storage
Function        Set-TestInconclusive                               3.4.0      Pester
Function        Setup                                              3.4.0      Pester
Function        Set-VirtualDisk                                    2.0.0.0    Storage
Function        Set-Volume                                         2.0.0.0    Storage
Function        Set-VolumeScrubPolicy                              2.0.0.0    Storage
Function        Set-VpnConnection                                  2.0.0.0    VpnClient
Function        Set-VpnConnectionIPsecConfiguration                2.0.0.0    VpnClient
Function        Set-VpnConnectionProxy                             2.0.0.0    VpnClient
Function        Set-VpnConnectionTriggerDnsConfiguration           2.0.0.0    VpnClient
Function        Set-VpnConnectionTriggerTrustedNetwork             2.0.0.0    VpnClient
Function        Set-WinhttpProxy                                   1.0.0.0    WinHttpProxy
Function        Should                                             3.4.0      Pester
Function        Show-NetFirewallRule                               2.0.0.0    NetSecurity
Function        Show-NetIPsecRule                                  2.0.0.0    NetSecurity
Function        Show-StorageHistory                                2.0.0.0    Storage
Function        Show-VirtualDisk                                   2.0.0.0    Storage
Function        Start-AppBackgroundTask                            1.0.0.0    AppBackgroundTask
Function        Start-AppvVirtualProcess                           1.0.0.0    AppvClient
Function        Start-AutologgerConfig                             1.0.0.0    EventTracingManagement
Function        Start-Dtc                                          1.0.0.0    MsDtc
Function        Start-DtcTransactionsTraceSession                  1.0.0.0    MsDtc
Function        Start-EtwTraceSession                              1.0.0.0    EventTracingManagement
Function        Start-MpRollback                                   1.0        ConfigDefender
Function        Start-MpRollback                                   1.0        Defender
Function        Start-MpScan                                       1.0        ConfigDefender
Function        Start-MpScan                                       1.0        Defender
Function        Start-MpWDOScan                                    1.0        ConfigDefender
Function        Start-MpWDOScan                                    1.0        Defender
Function        Start-NetEventSession                              1.0.0.0    NetEventPacketCapture
Function        Start-PcsvDevice                                   1.0.0.0    PcsvDevice
Function        Start-ScheduledTask                                1.0.0.0    ScheduledTasks
Function        Start-StorageDiagnosticLog                         2.0.0.0    Storage
Function        Start-Trace                                        1.0.0.0    PSDiagnostics
Function        Stop-DscConfiguration                              1.1        PSDesiredStateConfigura...
Function        Stop-Dtc                                           1.0.0.0    MsDtc
Function        Stop-DtcTransactionsTraceSession                   1.0.0.0    MsDtc
Function        Stop-EtwTraceSession                               1.0.0.0    EventTracingManagement
Function        Stop-NetEventSession                               1.0.0.0    NetEventPacketCapture
Function        Stop-PcsvDevice                                    1.0.0.0    PcsvDevice
Function        Stop-ScheduledTask                                 1.0.0.0    ScheduledTasks
Function        Stop-StorageDiagnosticLog                          2.0.0.0    Storage
Function        Stop-StorageJob                                    2.0.0.0    Storage
Function        Stop-Trace                                         1.0.0.0    PSDiagnostics
Function        Suspend-BitLocker                                  1.0.0.0    BitLocker
Function        Suspend-PrintJob                                   1.1        PrintManagement
Function        Suspend-StorageBusDisk                             1.0.0.0    StorageBusCache
Function        Sync-NetIPsecRule                                  2.0.0.0    NetSecurity
Function        T:
Function        TabExpansion2
Function        Test-Dtc                                           1.0.0.0    MsDtc
Function        Test-NetConnection                                 1.0.0.0    NetTCPIP
Function        Test-ScriptFileInfo                                1.0.0.1    PowerShellGet
Function        U:
Function        Unblock-FileShareAccess                            2.0.0.0    Storage
Function        Unblock-SmbClientAccessToServer                    2.0.0.0    SmbShare
Function        Unblock-SmbShareAccess                             2.0.0.0    SmbShare
Function        Uninstall-Dtc                                      1.0.0.0    MsDtc
Function        Uninstall-Module                                   1.0.0.1    PowerShellGet
Function        Uninstall-Script                                   1.0.0.1    PowerShellGet
Function        Unlock-BitLocker                                   1.0.0.0    BitLocker
Function        Unregister-AppBackgroundTask                       1.0.0.0    AppBackgroundTask
Function        Unregister-ClusteredScheduledTask                  1.0.0.0    ScheduledTasks
Function        Unregister-IscsiSession                            1.0.0.0    iSCSI
Function        Unregister-PSRepository                            1.0.0.1    PowerShellGet
Function        Unregister-ScheduledTask                           1.0.0.0    ScheduledTasks
Function        Unregister-StorageSubsystem                        2.0.0.0    Storage
Function        Update-AutologgerConfig                            1.0.0.0    EventTracingManagement
Function        Update-Disk                                        2.0.0.0    Storage
Function        Update-DscConfiguration                            1.1        PSDesiredStateConfigura...
Function        Update-EtwTraceSession                             1.0.0.0    EventTracingManagement
Function        Update-HostStorageCache                            2.0.0.0    Storage
Function        Update-IscsiTarget                                 1.0.0.0    iSCSI
Function        Update-IscsiTargetPortal                           1.0.0.0    iSCSI
Function        Update-Module                                      1.0.0.1    PowerShellGet
Function        Update-ModuleManifest                              1.0.0.1    PowerShellGet
Function        Update-MpSignature                                 1.0        ConfigDefender
Function        Update-MpSignature                                 1.0        Defender
Function        Update-NetFirewallDynamicKeywordAddress            2.0.0.0    NetSecurity
Function        Update-NetIPsecRule                                2.0.0.0    NetSecurity
Function        Update-Script                                      1.0.0.1    PowerShellGet
Function        Update-ScriptFileInfo                              1.0.0.1    PowerShellGet
Function        Update-SmbMultichannelConnection                   2.0.0.0    SmbShare
Function        Update-StorageBusCache                             1.0.0.0    StorageBusCache
Function        Update-StorageFirmware                             2.0.0.0    Storage
Function        Update-StoragePool                                 2.0.0.0    Storage
Function        Update-StorageProviderCache                        2.0.0.0    Storage
Function        V:
Function        W:
Function        Write-DtcTransactionsTraceSession                  1.0.0.0    MsDtc
Function        Write-PrinterNfcTag                                1.1        PrintManagement
Function        Write-VolumeCache                                  2.0.0.0    Storage
Function        X:
Function        Y:
Function        Z:
Cmdlet          Add-AppProvisionedSharedPackageContainer           3.0        Dism
Cmdlet          Add-AppSharedPackageContainer                      2.0.1.0    Appx
Cmdlet          Add-AppvClientConnectionGroup                      1.0.0.0    AppvClient
Cmdlet          Add-AppvClientPackage                              1.0.0.0    AppvClient
Cmdlet          Add-AppvPublishingServer                           1.0.0.0    AppvClient
Cmdlet          Add-AppxPackage                                    2.0.1.0    Appx
Cmdlet          Add-AppxProvisionedPackage                         3.0        Dism
Cmdlet          Add-AppxVolume                                     2.0.1.0    Appx
Cmdlet          Add-BitsFile                                       2.0.0.0    BitsTransfer
Cmdlet          Add-CertificateEnrollmentPolicyServer              1.0.0.0    PKI
Cmdlet          Add-Computer                                       3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Add-Content                                        3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Add-History                                        3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Add-JobTrigger                                     1.1.0.0    PSScheduledJob
Cmdlet          Add-KdsRootKey                                     1.0.0.0    Kds
Cmdlet          Add-LocalGroupMember                               1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          Add-Member                                         3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Add-PSSnapin                                       3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Add-SignerRule                                     1.0        ConfigCI
Cmdlet          Add-Type                                           3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Add-WindowsCapability                              3.0        Dism
Cmdlet          Add-WindowsDriver                                  3.0        Dism
Cmdlet          Add-WindowsImage                                   3.0        Dism
Cmdlet          Add-WindowsPackage                                 3.0        Dism
Cmdlet          Checkpoint-Computer                                3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Clear-Content                                      3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Clear-EventLog                                     3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Clear-History                                      3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Clear-Item                                         3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Clear-ItemProperty                                 3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Clear-KdsCache                                     1.0.0.0    Kds
Cmdlet          Clear-RecycleBin                                   3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Clear-ReFSDedupSchedule                            2.0.0.0    Microsoft.ReFsDedup.Com...
Cmdlet          Clear-ReFSDedupScrubSchedule                       2.0.0.0    Microsoft.ReFsDedup.Com...
Cmdlet          Clear-Tpm                                          2.0.0.0    TrustedPlatformModule
Cmdlet          Clear-UevAppxPackage                               2.1.639.0  UEV
Cmdlet          Clear-UevConfiguration                             2.1.639.0  UEV
Cmdlet          Clear-Variable                                     3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Clear-WindowsCorruptMountPoint                     3.0        Dism
Cmdlet          Compare-Object                                     3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Complete-BitsTransfer                              2.0.0.0    BitsTransfer
Cmdlet          Complete-DtcDiagnosticTransaction                  1.0.0.0    MsDtc
Cmdlet          Complete-Transaction                               3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Confirm-SecureBootUEFI                             2.0.0.0    SecureBoot
Cmdlet          Connect-PSSession                                  3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Connect-WSMan                                      3.0.0.0    Microsoft.WSMan.Management
Cmdlet          ConvertFrom-CIPolicy                               1.0        ConfigCI
Cmdlet          ConvertFrom-Csv                                    3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          ConvertFrom-Json                                   3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          ConvertFrom-SecureString                           3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          ConvertFrom-String                                 3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          ConvertFrom-StringData                             3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Convert-Path                                       3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Convert-String                                     3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          ConvertTo-Csv                                      3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          ConvertTo-Html                                     3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          ConvertTo-Json                                     3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          ConvertTo-ProcessMitigationPolicy                  1.0.12     ProcessMitigations
Cmdlet          ConvertTo-SecureString                             3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          ConvertTo-TpmOwnerAuth                             2.0.0.0    TrustedPlatformModule
Cmdlet          ConvertTo-Xml                                      3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Copy-BcdEntry                                      1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Copy-Item                                          3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Copy-ItemProperty                                  3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Copy-UserInternationalSettingsToSystem             2.1.0.0    International
Cmdlet          Debug-Job                                          3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Debug-Process                                      3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Debug-Runspace                                     3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Disable-AppBackgroundTaskDiagnosticLog             1.0.0.0    AppBackgroundTask
Cmdlet          Disable-Appv                                       1.0.0.0    AppvClient
Cmdlet          Disable-AppvClientConnectionGroup                  1.0.0.0    AppvClient
Cmdlet          Disable-BcdElementBootDebug                        1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Disable-BcdElementBootEms                          1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Disable-BcdElementDebug                            1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Disable-BcdElementEms                              1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Disable-BcdElementEventLogging                     1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Disable-BcdElementHypervisorDebug                  1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Disable-ComputerRestore                            3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Disable-JobTrigger                                 1.1.0.0    PSScheduledJob
Cmdlet          Disable-LocalUser                                  1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          Disable-PSBreakpoint                               3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Disable-PSRemoting                                 3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Disable-PSSessionConfiguration                     3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Disable-ReFSDedup                                  2.0.0.0    Microsoft.ReFsDedup.Com...
Cmdlet          Disable-RunspaceDebug                              3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Disable-ScheduledJob                               1.1.0.0    PSScheduledJob
Cmdlet          Disable-TlsCipherSuite                             2.0.0.0    TLS
Cmdlet          Disable-TlsEccCurve                                2.0.0.0    TLS
Cmdlet          Disable-TlsSessionTicketKey                        2.0.0.0    TLS
Cmdlet          Disable-TpmAutoProvisioning                        2.0.0.0    TrustedPlatformModule
Cmdlet          Disable-Uev                                        2.1.639.0  UEV
Cmdlet          Disable-UevAppxPackage                             2.1.639.0  UEV
Cmdlet          Disable-UevTemplate                                2.1.639.0  UEV
Cmdlet          Disable-WindowsErrorReporting                      1.0        WindowsErrorReporting
Cmdlet          Disable-WindowsOptionalFeature                     3.0        Dism
Cmdlet          Disable-WSManCredSSP                               3.0.0.0    Microsoft.WSMan.Management
Cmdlet          Disconnect-PSSession                               3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Disconnect-WSMan                                   3.0.0.0    Microsoft.WSMan.Management
Cmdlet          Dismount-AppxVolume                                2.0.1.0    Appx
Cmdlet          Dismount-WindowsImage                              3.0        Dism
Cmdlet          Edit-CIPolicyRule                                  1.0        ConfigCI
Cmdlet          Enable-AppBackgroundTaskDiagnosticLog              1.0.0.0    AppBackgroundTask
Cmdlet          Enable-Appv                                        1.0.0.0    AppvClient
Cmdlet          Enable-AppvClientConnectionGroup                   1.0.0.0    AppvClient
Cmdlet          Enable-BcdElementBootDebug                         1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Enable-BcdElementBootEms                           1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Enable-BcdElementDebug                             1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Enable-BcdElementEms                               1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Enable-BcdElementEventLogging                      1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Enable-BcdElementHypervisorDebug                   1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Enable-ComputerRestore                             3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Enable-JobTrigger                                  1.1.0.0    PSScheduledJob
Cmdlet          Enable-LocalUser                                   1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          Enable-PSBreakpoint                                3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Enable-PSRemoting                                  3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Enable-PSSessionConfiguration                      3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Enable-ReFSDedup                                   2.0.0.0    Microsoft.ReFsDedup.Com...
Cmdlet          Enable-RunspaceDebug                               3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Enable-ScheduledJob                                1.1.0.0    PSScheduledJob
Cmdlet          Enable-TlsCipherSuite                              2.0.0.0    TLS
Cmdlet          Enable-TlsEccCurve                                 2.0.0.0    TLS
Cmdlet          Enable-TlsSessionTicketKey                         2.0.0.0    TLS
Cmdlet          Enable-TpmAutoProvisioning                         2.0.0.0    TrustedPlatformModule
Cmdlet          Enable-Uev                                         2.1.639.0  UEV
Cmdlet          Enable-UevAppxPackage                              2.1.639.0  UEV
Cmdlet          Enable-UevTemplate                                 2.1.639.0  UEV
Cmdlet          Enable-WindowsErrorReporting                       1.0        WindowsErrorReporting
Cmdlet          Enable-WindowsOptionalFeature                      3.0        Dism
Cmdlet          Enable-WSManCredSSP                                3.0.0.0    Microsoft.WSMan.Management
Cmdlet          Enter-PSHostProcess                                3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Enter-PSSession                                    3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Exit-PSHostProcess                                 3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Exit-PSSession                                     3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Expand-OsImage                                     3.0        Dism
Cmdlet          Expand-WindowsCustomDataImage                      3.0        Dism
Cmdlet          Expand-WindowsImage                                3.0        Dism
Cmdlet          Export-Alias                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Export-BcdStore                                    1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Export-BinaryMiLog                                 1.0.0.0    CimCmdlets
Cmdlet          Export-Certificate                                 1.0.0.0    PKI
Cmdlet          Export-Clixml                                      3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Export-Console                                     3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Export-Counter                                     3.0.0.0    Microsoft.PowerShell.Di...
Cmdlet          Export-Csv                                         3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Export-FormatData                                  3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Export-ModuleMember                                3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Export-OsImage                                     3.0        Dism
Cmdlet          Export-PfxCertificate                              1.0.0.0    PKI
Cmdlet          Export-ProvisioningPackage                         3.0        Provisioning
Cmdlet          Export-PSSession                                   3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Export-StartLayout                                 1.0.0.1    StartLayout
Cmdlet          Export-StartLayoutEdgeAssets                       1.0.0.1    StartLayout
Cmdlet          Export-TlsSessionTicketKey                         2.0.0.0    TLS
Cmdlet          Export-Trace                                       3.0        Provisioning
Cmdlet          Export-UevConfiguration                            2.1.639.0  UEV
Cmdlet          Export-UevPackage                                  2.1.639.0  UEV
Cmdlet          Export-WindowsCapabilitySource                     3.0        Dism
Cmdlet          Export-WindowsDriver                               3.0        Dism
Cmdlet          Export-WindowsImage                                3.0        Dism
Cmdlet          Find-LapsADExtendedRights                          1.0.0.0    LAPS
Cmdlet          Find-Package                                       1.0.0.1    PackageManagement
Cmdlet          Find-PackageProvider                               1.0.0.1    PackageManagement
Cmdlet          ForEach-Object                                     3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Format-Custom                                      3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Format-List                                        3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Format-SecureBootUEFI                              2.0.0.0    SecureBoot
Cmdlet          Format-Table                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Format-Wide                                        3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-Acl                                            3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          Get-Alias                                          3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-AppLockerFileInformation                       2.0.0.0    AppLocker
Cmdlet          Get-AppLockerPolicy                                2.0.0.0    AppLocker
Cmdlet          Get-AppProvisionedSharedPackageContainer           3.0        Dism
Cmdlet          Get-AppSharedPackageContainer                      2.0.1.0    Appx
Cmdlet          Get-AppvClientApplication                          1.0.0.0    AppvClient
Cmdlet          Get-AppvClientConfiguration                        1.0.0.0    AppvClient
Cmdlet          Get-AppvClientConnectionGroup                      1.0.0.0    AppvClient
Cmdlet          Get-AppvClientMode                                 1.0.0.0    AppvClient
Cmdlet          Get-AppvClientPackage                              1.0.0.0    AppvClient
Cmdlet          Get-AppvPublishingServer                           1.0.0.0    AppvClient
Cmdlet          Get-AppvStatus                                     1.0.0.0    AppvClient
Cmdlet          Get-AppxDefaultVolume                              2.0.1.0    Appx
Cmdlet          Get-AppxPackage                                    2.0.1.0    Appx
Cmdlet          Get-AppxPackageAutoUpdateSettings                  2.0.1.0    Appx
Cmdlet          Get-AppxPackageManifest                            2.0.1.0    Appx
Cmdlet          Get-AppxProvisionedPackage                         3.0        Dism
Cmdlet          Get-AppxVolume                                     2.0.1.0    Appx
Cmdlet          Get-AuthenticodeSignature                          3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          Get-BcdEntry                                       1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Get-BcdEntryDebugSettings                          1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Get-BcdEntryHypervisorSettings                     1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Get-BcdStore                                       1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Get-BitsTransfer                                   2.0.0.0    BitsTransfer
Cmdlet          Get-Certificate                                    1.0.0.0    PKI
Cmdlet          Get-CertificateAutoEnrollmentPolicy                1.0.0.0    PKI
Cmdlet          Get-CertificateEnrollmentPolicyServer              1.0.0.0    PKI
Cmdlet          Get-CertificateNotificationTask                    1.0.0.0    PKI
Cmdlet          Get-ChildItem                                      3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-CimAssociatedInstance                          1.0.0.0    CimCmdlets
Cmdlet          Get-CimClass                                       1.0.0.0    CimCmdlets
Cmdlet          Get-CimInstance                                    1.0.0.0    CimCmdlets
Cmdlet          Get-CimSession                                     1.0.0.0    CimCmdlets
Cmdlet          Get-CIPolicy                                       1.0        ConfigCI
Cmdlet          Get-CIPolicyIdInfo                                 1.0        ConfigCI
Cmdlet          Get-CIPolicyInfo                                   1.0        ConfigCI
Cmdlet          Get-Clipboard                                      3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-CmsMessage                                     3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          Get-Command                                        3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Get-ComputerInfo                                   3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-ComputerRestorePoint                           3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-Content                                        3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-ControlPanelItem                               3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-Counter                                        3.0.0.0    Microsoft.PowerShell.Di...
Cmdlet          Get-Credential                                     3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          Get-Culture                                        3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-DAPolicyChange                                 2.0.0.0    NetSecurity
Cmdlet          Get-Date                                           3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-DeliveryOptimizationLog                        1.0.3.0    DeliveryOptimization
Cmdlet          Get-DeliveryOptimizationLogAnalysis                1.0.3.0    DeliveryOptimization
Cmdlet          Get-Event                                          3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-EventLog                                       3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-EventSubscriber                                3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-ExecutionPolicy                                3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          Get-FormatData                                     3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-Help                                           3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Get-History                                        3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Get-Host                                           3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-HotFix                                         3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-InstalledLanguage                              1.0        LanguagePackManagement
Cmdlet          Get-Item                                           3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-ItemProperty                                   3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-ItemPropertyValue                              3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-Job                                            3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Get-JobTrigger                                     1.1.0.0    PSScheduledJob
Cmdlet          Get-KdsConfiguration                               1.0.0.0    Kds
Cmdlet          Get-KdsRootKey                                     1.0.0.0    Kds
Cmdlet          Get-LapsADPassword                                 1.0.0.0    LAPS
Cmdlet          Get-LocalGroup                                     1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          Get-LocalGroupMember                               1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          Get-LocalUser                                      1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          Get-Location                                       3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-Member                                         3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-Module                                         3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Get-NonRemovableAppsPolicy                         3.0        Dism
Cmdlet          Get-OSConfiguration                                1.1.3.0    OsConfiguration
Cmdlet          Get-OsConfigurationDocument                        1.1.3.0    OsConfiguration
Cmdlet          Get-OsConfigurationDocumentContent                 1.1.3.0    OsConfiguration
Cmdlet          Get-OsConfigurationDocumentResult                  1.1.3.0    OsConfiguration
Cmdlet          Get-OsConfigurationProperty                        1.1.3.0    OsConfiguration
Cmdlet          Get-Package                                        1.0.0.1    PackageManagement
Cmdlet          Get-PackageProvider                                1.0.0.1    PackageManagement
Cmdlet          Get-PackageSource                                  1.0.0.1    PackageManagement
Cmdlet          Get-PfxCertificate                                 3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          Get-PfxData                                        1.0.0.0    PKI
Cmdlet          Get-PmemDedicatedMemory                            1.0.0.0    PersistentMemory
Cmdlet          Get-PmemDisk                                       1.0.0.0    PersistentMemory
Cmdlet          Get-PmemPhysicalDevice                             1.0.0.0    PersistentMemory
Cmdlet          Get-PmemUnusedRegion                               1.0.0.0    PersistentMemory
Cmdlet          Get-Process                                        3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-ProcessMitigation                              1.0.12     ProcessMitigations
Cmdlet          Get-ProvisioningPackage                            3.0        Provisioning
Cmdlet          Get-PSBreakpoint                                   3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-PSCallStack                                    3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-PSDrive                                        3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-PSHostProcessInfo                              3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Get-PSProvider                                     3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-PSReadLineKeyHandler                           2.0.0      PSReadLine
Cmdlet          Get-PSReadLineOption                               2.0.0      PSReadLine
Cmdlet          Get-PSSession                                      3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Get-PSSessionCapability                            3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Get-PSSessionConfiguration                         3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Get-PSSnapin                                       3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Get-Random                                         3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-ReFSDedupSchedule                              2.0.0.0    Microsoft.ReFsDedup.Com...
Cmdlet          Get-ReFSDedupScrubSchedule                         2.0.0.0    Microsoft.ReFsDedup.Com...
Cmdlet          Get-ReFSDedupStatus                                2.0.0.0    Microsoft.ReFsDedup.Com...
Cmdlet          Get-Runspace                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-RunspaceDebug                                  3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-ScheduledJob                                   1.1.0.0    PSScheduledJob
Cmdlet          Get-ScheduledJobOption                             1.1.0.0    PSScheduledJob
Cmdlet          Get-SecureBootPolicy                               2.0.0.0    SecureBoot
Cmdlet          Get-SecureBootUEFI                                 2.0.0.0    SecureBoot
Cmdlet          Get-Service                                        3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-SystemDriver                                   1.0        ConfigCI
Cmdlet          Get-SystemPreferredUILanguage                      1.0        LanguagePackManagement
Cmdlet          Get-TimeZone                                       3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-TlsCipherSuite                                 2.0.0.0    TLS
Cmdlet          Get-TlsEccCurve                                    2.0.0.0    TLS
Cmdlet          Get-Tpm                                            2.0.0.0    TrustedPlatformModule
Cmdlet          Get-TpmEndorsementKeyInfo                          2.0.0.0    TrustedPlatformModule
Cmdlet          Get-TpmSupportedFeature                            2.0.0.0    TrustedPlatformModule
Cmdlet          Get-TraceSource                                    3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-Transaction                                    3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-TroubleshootingPack                            1.0.0.0    TroubleshootingPack
Cmdlet          Get-TrustedProvisioningCertificate                 3.0        Provisioning
Cmdlet          Get-TypeData                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-UevAppxPackage                                 2.1.639.0  UEV
Cmdlet          Get-UevConfiguration                               2.1.639.0  UEV
Cmdlet          Get-UevStatus                                      2.1.639.0  UEV
Cmdlet          Get-UevTemplate                                    2.1.639.0  UEV
Cmdlet          Get-UevTemplateProgram                             2.1.639.0  UEV
Cmdlet          Get-UICulture                                      3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-Unique                                         3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-Variable                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Get-WheaMemoryPolicy                               2.0.0.0    Whea
Cmdlet          Get-WIMBootEntry                                   3.0        Dism
Cmdlet          Get-WinAcceptLanguageFromLanguageListOptOut        2.1.0.0    International
Cmdlet          Get-WinCultureFromLanguageListOptOut               2.1.0.0    International
Cmdlet          Get-WinDefaultInputMethodOverride                  2.1.0.0    International
Cmdlet          Get-WindowsCapability                              3.0        Dism
Cmdlet          Get-WindowsDeveloperLicense                        1.0.0.0    WindowsDeveloperLicense
Cmdlet          Get-WindowsDriver                                  3.0        Dism
Cmdlet          Get-WindowsEdition                                 3.0        Dism
Cmdlet          Get-WindowsErrorReporting                          1.0        WindowsErrorReporting
Cmdlet          Get-WindowsImage                                   3.0        Dism
Cmdlet          Get-WindowsImageContent                            3.0        Dism
Cmdlet          Get-WindowsOptionalFeature                         3.0        Dism
Cmdlet          Get-WindowsPackage                                 3.0        Dism
Cmdlet          Get-WindowsReservedStorageState                    3.0        Dism
Cmdlet          Get-WindowsSearchSetting                           1.0.0.0    WindowsSearch
Cmdlet          Get-WinEvent                                       3.0.0.0    Microsoft.PowerShell.Di...
Cmdlet          Get-WinHomeLocation                                2.1.0.0    International
Cmdlet          Get-WinLanguageBarOption                           2.1.0.0    International
Cmdlet          Get-WinSystemLocale                                2.1.0.0    International
Cmdlet          Get-WinUILanguageOverride                          2.1.0.0    International
Cmdlet          Get-WinUserLanguageList                            2.1.0.0    International
Cmdlet          Get-WmiObject                                      3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Get-WSManCredSSP                                   3.0.0.0    Microsoft.WSMan.Management
Cmdlet          Get-WSManInstance                                  3.0.0.0    Microsoft.WSMan.Management
Cmdlet          Group-Object                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Import-Alias                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Import-BcdStore                                    1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Import-BinaryMiLog                                 1.0.0.0    CimCmdlets
Cmdlet          Import-Certificate                                 1.0.0.0    PKI
Cmdlet          Import-Clixml                                      3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Import-Counter                                     3.0.0.0    Microsoft.PowerShell.Di...
Cmdlet          Import-Csv                                         3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Import-LocalizedData                               3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Import-Module                                      3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Import-PackageProvider                             1.0.0.1    PackageManagement
Cmdlet          Import-PfxCertificate                              1.0.0.0    PKI
Cmdlet          Import-PSSession                                   3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Import-StartLayout                                 1.0.0.1    StartLayout
Cmdlet          Import-TpmOwnerAuth                                2.0.0.0    TrustedPlatformModule
Cmdlet          Import-UevConfiguration                            2.1.639.0  UEV
Cmdlet          Initialize-PmemPhysicalDevice                      1.0.0.0    PersistentMemory
Cmdlet          Initialize-Tpm                                     2.0.0.0    TrustedPlatformModule
Cmdlet          Install-Language                                   1.0        LanguagePackManagement
Cmdlet          Install-Package                                    1.0.0.1    PackageManagement
Cmdlet          Install-PackageProvider                            1.0.0.1    PackageManagement
Cmdlet          Install-ProvisioningPackage                        3.0        Provisioning
Cmdlet          Install-TrustedProvisioningCertificate             3.0        Provisioning
Cmdlet          Invoke-CimMethod                                   1.0.0.0    CimCmdlets
Cmdlet          Invoke-Command                                     3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Invoke-CommandInDesktopPackage                     2.0.1.0    Appx
Cmdlet          Invoke-DscResource                                 1.1        PSDesiredStateConfigura...
Cmdlet          Invoke-Expression                                  3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Invoke-History                                     3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Invoke-Item                                        3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Invoke-LapsPolicyProcessing                        1.0.0.0    LAPS
Cmdlet          Invoke-RestMethod                                  3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Invoke-TroubleshootingPack                         1.0.0.0    TroubleshootingPack
Cmdlet          Invoke-WebRequest                                  3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Invoke-WmiMethod                                   3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Invoke-WSManAction                                 3.0.0.0    Microsoft.WSMan.Management
Cmdlet          Join-DtcDiagnosticResourceManager                  1.0.0.0    MsDtc
Cmdlet          Join-Path                                          3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Limit-EventLog                                     3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Measure-Command                                    3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Measure-Object                                     3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Merge-CIPolicy                                     1.0        ConfigCI
Cmdlet          Mount-AppvClientConnectionGroup                    1.0.0.0    AppvClient
Cmdlet          Mount-AppvClientPackage                            1.0.0.0    AppvClient
Cmdlet          Mount-AppxVolume                                   2.0.1.0    Appx
Cmdlet          Mount-WindowsImage                                 3.0        Dism
Cmdlet          Move-AppxPackage                                   2.0.1.0    Appx
Cmdlet          Move-Item                                          3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Move-ItemProperty                                  3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          New-Alias                                          3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          New-AppLockerPolicy                                2.0.0.0    AppLocker
Cmdlet          New-BcdEntry                                       1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          New-BcdStore                                       1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          New-CertificateNotificationTask                    1.0.0.0    PKI
Cmdlet          New-CimInstance                                    1.0.0.0    CimCmdlets
Cmdlet          New-CimSession                                     1.0.0.0    CimCmdlets
Cmdlet          New-CimSessionOption                               1.0.0.0    CimCmdlets
Cmdlet          New-CIPolicy                                       1.0        ConfigCI
Cmdlet          New-CIPolicyRule                                   1.0        ConfigCI
Cmdlet          New-DtcDiagnosticTransaction                       1.0.0.0    MsDtc
Cmdlet          New-Event                                          3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          New-EventLog                                       3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          New-FileCatalog                                    3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          New-Item                                           3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          New-ItemProperty                                   3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          New-JobTrigger                                     1.1.0.0    PSScheduledJob
Cmdlet          New-LocalGroup                                     1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          New-LocalUser                                      1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          New-Module                                         3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          New-ModuleManifest                                 3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          New-NetIPsecAuthProposal                           2.0.0.0    NetSecurity
Cmdlet          New-NetIPsecMainModeCryptoProposal                 2.0.0.0    NetSecurity
Cmdlet          New-NetIPsecQuickModeCryptoProposal                2.0.0.0    NetSecurity
Cmdlet          New-Object                                         3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          New-PmemDedicatedMemory                            1.0.0.0    PersistentMemory
Cmdlet          New-PmemDisk                                       1.0.0.0    PersistentMemory
Cmdlet          New-ProvisioningRepro                              3.0        Provisioning
Cmdlet          New-PSDrive                                        3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          New-PSRoleCapabilityFile                           3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          New-PSSession                                      3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          New-PSSessionConfigurationFile                     3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          New-PSSessionOption                                3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          New-PSTransportOption                              3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          New-PSWorkflowExecutionOption                      2.0.0.0    PSWorkflow
Cmdlet          New-ScheduledJobOption                             1.1.0.0    PSScheduledJob
Cmdlet          New-SelfSignedCertificate                          1.0.0.0    PKI
Cmdlet          New-Service                                        3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          New-TimeSpan                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          New-TlsSessionTicketKey                            2.0.0.0    TLS
Cmdlet          New-Variable                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          New-WebServiceProxy                                3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          New-WindowsCustomImage                             3.0        Dism
Cmdlet          New-WindowsImage                                   3.0        Dism
Cmdlet          New-WinEvent                                       3.0.0.0    Microsoft.PowerShell.Di...
Cmdlet          New-WinUserLanguageList                            2.1.0.0    International
Cmdlet          New-WSManInstance                                  3.0.0.0    Microsoft.WSMan.Management
Cmdlet          New-WSManSessionOption                             3.0.0.0    Microsoft.WSMan.Management
Cmdlet          Optimize-AppxProvisionedPackages                   3.0        Dism
Cmdlet          Optimize-WindowsImage                              3.0        Dism
Cmdlet          Out-Default                                        3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Out-File                                           3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Out-GridView                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Out-Host                                           3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Out-Null                                           3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Out-Printer                                        3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Out-String                                         3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Pop-Location                                       3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Protect-CmsMessage                                 3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          Publish-AppvClientPackage                          1.0.0.0    AppvClient
Cmdlet          Publish-DscConfiguration                           1.1        PSDesiredStateConfigura...
Cmdlet          Push-Location                                      3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Read-Host                                          3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Receive-DtcDiagnosticTransaction                   1.0.0.0    MsDtc
Cmdlet          Receive-Job                                        3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Receive-PSSession                                  3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Register-ArgumentCompleter                         3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Register-CimIndicationEvent                        1.0.0.0    CimCmdlets
Cmdlet          Register-EngineEvent                               3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Register-ObjectEvent                               3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Register-PackageSource                             1.0.0.1    PackageManagement
Cmdlet          Register-PSSessionConfiguration                    3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Register-ScheduledJob                              1.1.0.0    PSScheduledJob
Cmdlet          Register-UevTemplate                               2.1.639.0  UEV
Cmdlet          Register-WmiEvent                                  3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Remove-AppProvisionedSharedPackageContainer        3.0        Dism
Cmdlet          Remove-AppSharedPackageContainer                   2.0.1.0    Appx
Cmdlet          Remove-AppvClientConnectionGroup                   1.0.0.0    AppvClient
Cmdlet          Remove-AppvClientPackage                           1.0.0.0    AppvClient
Cmdlet          Remove-AppvPublishingServer                        1.0.0.0    AppvClient
Cmdlet          Remove-AppxPackage                                 2.0.1.0    Appx
Cmdlet          Remove-AppxPackageAutoUpdateSettings               2.0.1.0    Appx
Cmdlet          Remove-AppxProvisionedPackage                      3.0        Dism
Cmdlet          Remove-AppxVolume                                  2.0.1.0    Appx
Cmdlet          Remove-BcdElement                                  1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Remove-BcdEntry                                    1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Remove-BitsTransfer                                2.0.0.0    BitsTransfer
Cmdlet          Remove-CertificateEnrollmentPolicyServer           1.0.0.0    PKI
Cmdlet          Remove-CertificateNotificationTask                 1.0.0.0    PKI
Cmdlet          Remove-CimInstance                                 1.0.0.0    CimCmdlets
Cmdlet          Remove-CimSession                                  1.0.0.0    CimCmdlets
Cmdlet          Remove-CIPolicyRule                                1.0        ConfigCI
Cmdlet          Remove-Computer                                    3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Remove-Event                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Remove-EventLog                                    3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Remove-Item                                        3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Remove-ItemProperty                                3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Remove-Job                                         3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Remove-JobTrigger                                  1.1.0.0    PSScheduledJob
Cmdlet          Remove-LocalGroup                                  1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          Remove-LocalGroupMember                            1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          Remove-LocalUser                                   1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          Remove-Module                                      3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Remove-OsConfigurationDocument                     1.1.3.0    OsConfiguration
Cmdlet          Remove-PmemDedicatedMemory                         1.0.0.0    PersistentMemory
Cmdlet          Remove-PmemDisk                                    1.0.0.0    PersistentMemory
Cmdlet          Remove-PSBreakpoint                                3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Remove-PSDrive                                     3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Remove-PSReadLineKeyHandler                        2.0.0      PSReadLine
Cmdlet          Remove-PSSession                                   3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Remove-PSSnapin                                    3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Remove-TypeData                                    3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Remove-Variable                                    3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Remove-WindowsCapability                           3.0        Dism
Cmdlet          Remove-WindowsDriver                               3.0        Dism
Cmdlet          Remove-WindowsImage                                3.0        Dism
Cmdlet          Remove-WindowsPackage                              3.0        Dism
Cmdlet          Remove-WmiObject                                   3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Remove-WSManInstance                               3.0.0.0    Microsoft.WSMan.Management
Cmdlet          Rename-Computer                                    3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Rename-Item                                        3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Rename-ItemProperty                                3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Rename-LocalGroup                                  1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          Rename-LocalUser                                   1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          Repair-AppvClientConnectionGroup                   1.0.0.0    AppvClient
Cmdlet          Repair-AppvClientPackage                           1.0.0.0    AppvClient
Cmdlet          Repair-UevTemplateIndex                            2.1.639.0  UEV
Cmdlet          Repair-WindowsImage                                3.0        Dism
Cmdlet          Reset-AppSharedPackageContainer                    2.0.1.0    Appx
Cmdlet          Reset-AppxPackage                                  2.0.1.0    Appx
Cmdlet          Reset-ComputerMachinePassword                      3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Reset-LapsPassword                                 1.0.0.0    LAPS
Cmdlet          Resolve-DnsName                                    1.0.0.0    DnsClient
Cmdlet          Resolve-Path                                       3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Restart-Computer                                   3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Restart-Service                                    3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Restore-Computer                                   3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Restore-UevBackup                                  2.1.639.0  UEV
Cmdlet          Restore-UevUserSetting                             2.1.639.0  UEV
Cmdlet          Resume-BitsTransfer                                2.0.0.0    BitsTransfer
Cmdlet          Resume-Job                                         3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Resume-ProvisioningSession                         3.0        Provisioning
Cmdlet          Resume-ReFSDedupSchedule                           2.0.0.0    Microsoft.ReFsDedup.Com...
Cmdlet          Resume-Service                                     3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Save-Help                                          3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Save-OsImage                                       3.0        Dism
Cmdlet          Save-Package                                       1.0.0.1    PackageManagement
Cmdlet          Save-SoftwareInventory                             3.0        Dism
Cmdlet          Save-WindowsImage                                  3.0        Dism
Cmdlet          Select-Object                                      3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Select-String                                      3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Select-Xml                                         3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Send-AppvClientReport                              1.0.0.0    AppvClient
Cmdlet          Send-DtcDiagnosticTransaction                      1.0.0.0    MsDtc
Cmdlet          Send-MailMessage                                   3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Set-Acl                                            3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          Set-Alias                                          3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Set-AppBackgroundTaskResourcePolicy                1.0.0.0    AppBackgroundTask
Cmdlet          Set-AppLockerPolicy                                2.0.0.0    AppLocker
Cmdlet          Set-AppvClientConfiguration                        1.0.0.0    AppvClient
Cmdlet          Set-AppvClientMode                                 1.0.0.0    AppvClient
Cmdlet          Set-AppvClientPackage                              1.0.0.0    AppvClient
Cmdlet          Set-AppvPublishingServer                           1.0.0.0    AppvClient
Cmdlet          Set-AppxDefaultVolume                              2.0.1.0    Appx
Cmdlet          Set-AppxPackageAutoUpdateSettings                  2.0.1.0    Appx
Cmdlet          Set-AppXProvisionedDataFile                        3.0        Dism
Cmdlet          Set-AuthenticodeSignature                          3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          Set-BcdBootDefault                                 1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Set-BcdBootDisplayOrder                            1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Set-BcdBootSequence                                1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Set-BcdBootTimeout                                 1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Set-BcdBootToolsDisplayOrder                       1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Set-BcdDebugSettings                               1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Set-BcdElement                                     1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Set-BcdHypervisorSettings                          1.0.0      Microsoft.Windows.Bcd.C...
Cmdlet          Set-BitsTransfer                                   2.0.0.0    BitsTransfer
Cmdlet          Set-CertificateAutoEnrollmentPolicy                1.0.0.0    PKI
Cmdlet          Set-CimInstance                                    1.0.0.0    CimCmdlets
Cmdlet          Set-CIPolicyIdInfo                                 1.0        ConfigCI
Cmdlet          Set-CIPolicySetting                                1.0        ConfigCI
Cmdlet          Set-CIPolicyVersion                                1.0        ConfigCI
Cmdlet          Set-Clipboard                                      3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Set-Content                                        3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Set-Culture                                        2.1.0.0    International
Cmdlet          Set-Date                                           3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Set-DscLocalConfigurationManager                   1.1        PSDesiredStateConfigura...
Cmdlet          Set-ExecutionPolicy                                3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          Set-HVCIOptions                                    1.0        ConfigCI
Cmdlet          Set-Item                                           3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Set-ItemProperty                                   3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Set-JobTrigger                                     1.1.0.0    PSScheduledJob
Cmdlet          Set-KdsConfiguration                               1.0.0.0    Kds
Cmdlet          Set-LapsADAuditing                                 1.0.0.0    LAPS
Cmdlet          Set-LapsADComputerSelfPermission                   1.0.0.0    LAPS
Cmdlet          Set-LapsADPasswordExpirationTime                   1.0.0.0    LAPS
Cmdlet          Set-LapsADReadPasswordPermission                   1.0.0.0    LAPS
Cmdlet          Set-LapsADResetPasswordPermission                  1.0.0.0    LAPS
Cmdlet          Set-LocalGroup                                     1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          Set-LocalUser                                      1.0.0.0    Microsoft.PowerShell.Lo...
Cmdlet          Set-Location                                       3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Set-NonRemovableAppsPolicy                         3.0        Dism
Cmdlet          Set-OsConfigurationDocument                        1.1.3.0    OsConfiguration
Cmdlet          Set-OsConfigurationProperty                        1.1.3.0    OsConfiguration
Cmdlet          Set-PackageSource                                  1.0.0.1    PackageManagement
Cmdlet          Set-ProcessMitigation                              1.0.12     ProcessMitigations
Cmdlet          Set-PSBreakpoint                                   3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Set-PSDebug                                        3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Set-PSReadLineKeyHandler                           2.0.0      PSReadLine
Cmdlet          Set-PSReadLineOption                               2.0.0      PSReadLine
Cmdlet          Set-PSSessionConfiguration                         3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Set-ReFSDedupSchedule                              2.0.0.0    Microsoft.ReFsDedup.Com...
Cmdlet          Set-ReFSDedupScrubSchedule                         2.0.0.0    Microsoft.ReFsDedup.Com...
Cmdlet          Set-RuleOption                                     1.0        ConfigCI
Cmdlet          Set-ScheduledJob                                   1.1.0.0    PSScheduledJob
Cmdlet          Set-ScheduledJobOption                             1.1.0.0    PSScheduledJob
Cmdlet          Set-SecureBootUEFI                                 2.0.0.0    SecureBoot
Cmdlet          Set-Service                                        3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Set-StrictMode                                     3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Set-SystemPreferredUILanguage                      1.0        LanguagePackManagement
Cmdlet          Set-TimeZone                                       3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Set-TpmOwnerAuth                                   2.0.0.0    TrustedPlatformModule
Cmdlet          Set-TraceSource                                    3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Set-UevConfiguration                               2.1.639.0  UEV
Cmdlet          Set-UevTemplateProfile                             2.1.639.0  UEV
Cmdlet          Set-Variable                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Set-WheaMemoryPolicy                               2.0.0.0    Whea
Cmdlet          Set-WinAcceptLanguageFromLanguageListOptOut        2.1.0.0    International
Cmdlet          Set-WinCultureFromLanguageListOptOut               2.1.0.0    International
Cmdlet          Set-WinDefaultInputMethodOverride                  2.1.0.0    International
Cmdlet          Set-WindowsEdition                                 3.0        Dism
Cmdlet          Set-WindowsProductKey                              3.0        Dism
Cmdlet          Set-WindowsReservedStorageState                    3.0        Dism
Cmdlet          Set-WindowsSearchSetting                           1.0.0.0    WindowsSearch
Cmdlet          Set-WinHomeLocation                                2.1.0.0    International
Cmdlet          Set-WinLanguageBarOption                           2.1.0.0    International
Cmdlet          Set-WinSystemLocale                                2.1.0.0    International
Cmdlet          Set-WinUILanguageOverride                          2.1.0.0    International
Cmdlet          Set-WinUserLanguageList                            2.1.0.0    International
Cmdlet          Set-WmiInstance                                    3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Set-WSManInstance                                  3.0.0.0    Microsoft.WSMan.Management
Cmdlet          Set-WSManQuickConfig                               3.0.0.0    Microsoft.WSMan.Management
Cmdlet          Show-Command                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Show-ControlPanelItem                              3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Show-EventLog                                      3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Show-WindowsDeveloperLicenseRegistration           1.0.0.0    WindowsDeveloperLicense
Cmdlet          Sort-Object                                        3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Split-Path                                         3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Split-WindowsImage                                 3.0        Dism
Cmdlet          Start-BitsTransfer                                 2.0.0.0    BitsTransfer
Cmdlet          Start-DscConfiguration                             1.1        PSDesiredStateConfigura...
Cmdlet          Start-DtcDiagnosticResourceManager                 1.0.0.0    MsDtc
Cmdlet          Start-Job                                          3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Start-OSUninstall                                  3.0        Dism
Cmdlet          Start-Process                                      3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Start-ReFSDedupJob                                 2.0.0.0    Microsoft.ReFsDedup.Com...
Cmdlet          Start-Service                                      3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Start-Sleep                                        3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Start-Transaction                                  3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Start-Transcript                                   3.0.0.0    Microsoft.PowerShell.Host
Cmdlet          Stop-AppvClientConnectionGroup                     1.0.0.0    AppvClient
Cmdlet          Stop-AppvClientPackage                             1.0.0.0    AppvClient
Cmdlet          Stop-Computer                                      3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Stop-DtcDiagnosticResourceManager                  1.0.0.0    MsDtc
Cmdlet          Stop-Job                                           3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Stop-Process                                       3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Stop-ReFSDedupJob                                  2.0.0.0    Microsoft.ReFsDedup.Com...
Cmdlet          Stop-Service                                       3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Stop-Transcript                                    3.0.0.0    Microsoft.PowerShell.Host
Cmdlet          Suspend-BitsTransfer                               2.0.0.0    BitsTransfer
Cmdlet          Suspend-Job                                        3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Suspend-ReFSDedupSchedule                          2.0.0.0    Microsoft.ReFsDedup.Com...
Cmdlet          Suspend-Service                                    3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Switch-Certificate                                 1.0.0.0    PKI
Cmdlet          Sync-AppvPublishingServer                          1.0.0.0    AppvClient
Cmdlet          Tee-Object                                         3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Test-AppLockerPolicy                               2.0.0.0    AppLocker
Cmdlet          Test-Certificate                                   1.0.0.0    PKI
Cmdlet          Test-ComputerSecureChannel                         3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Test-Connection                                    3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Test-DscConfiguration                              1.1        PSDesiredStateConfigura...
Cmdlet          Test-FileCatalog                                   3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          Test-KdsRootKey                                    1.0.0.0    Kds
Cmdlet          Test-ModuleManifest                                3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Test-Path                                          3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Test-PSSessionConfigurationFile                    3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Test-UevTemplate                                   2.1.639.0  UEV
Cmdlet          Test-WSMan                                         3.0.0.0    Microsoft.WSMan.Management
Cmdlet          Trace-Command                                      3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Unblock-File                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Unblock-Tpm                                        2.0.0.0    TrustedPlatformModule
Cmdlet          Undo-DtcDiagnosticTransaction                      1.0.0.0    MsDtc
Cmdlet          Undo-Transaction                                   3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Uninstall-Language                                 1.0        LanguagePackManagement
Cmdlet          Uninstall-Package                                  1.0.0.1    PackageManagement
Cmdlet          Uninstall-ProvisioningPackage                      3.0        Provisioning
Cmdlet          Uninstall-TrustedProvisioningCertificate           3.0        Provisioning
Cmdlet          Unprotect-CmsMessage                               3.0.0.0    Microsoft.PowerShell.Se...
Cmdlet          Unpublish-AppvClientPackage                        1.0.0.0    AppvClient
Cmdlet          Unregister-Event                                   3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Unregister-PackageSource                           1.0.0.1    PackageManagement
Cmdlet          Unregister-PSSessionConfiguration                  3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Unregister-ScheduledJob                            1.1.0.0    PSScheduledJob
Cmdlet          Unregister-UevTemplate                             2.1.639.0  UEV
Cmdlet          Unregister-WindowsDeveloperLicense                 1.0.0.0    WindowsDeveloperLicense
Cmdlet          Update-DscConfiguration                            1.1        PSDesiredStateConfigura...
Cmdlet          Update-FormatData                                  3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Update-Help                                        3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Update-LapsADSchema                                1.0.0.0    LAPS
Cmdlet          Update-List                                        3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Update-TypeData                                    3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Update-UevTemplate                                 2.1.639.0  UEV
Cmdlet          Update-WIMBootEntry                                3.0        Dism
Cmdlet          Use-Transaction                                    3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Use-WindowsUnattend                                3.0        Dism
Cmdlet          Wait-Debugger                                      3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Wait-Event                                         3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Wait-Job                                           3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Wait-Process                                       3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Where-Object                                       3.0.0.0    Microsoft.PowerShell.Core
Cmdlet          Write-Debug                                        3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Write-Error                                        3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Write-EventLog                                     3.1.0.0    Microsoft.PowerShell.Ma...
Cmdlet          Write-Host                                         3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Write-Information                                  3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Write-Output                                       3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Write-Progress                                     3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Write-Verbose                                      3.1.0.0    Microsoft.PowerShell.Ut...
Cmdlet          Write-Warning                                      3.1.0.0    Microsoft.PowerShell.Ut...


PS C:\Users\security>

 

- 쉽게 말해, Get-Command는 다른 Cmdlet을 찾고 탐색할 때 사용함

 

 

라. Get-Date, Get-Host, Get-Command는 PowerShell 작업을 위한 강력한 기본기를 제공하며 이들을 통해 시스템 정보를 얻고, 환경을 파악하고, 필요한 명령을 찾아내는 등 다양한 기초 작업을 효율적으로 처리할 수 있음

 

 


 

 

Ⅲ. Cmdlet 동사 및 명사

1. Cmdlet 명명 규칙

가. PowerShell의 모든 Cmdlet은 동사-명사 형태의 규칙을 따르며 이 규칙을 이해하면 처음 보는 Cmdlet이라도 어떤 역할을 하는지 쉽게 유추할 수 있음

 

- 동사(Verb)

● Cmdlet이 수행하는 작업을 나타내며 PowerShell에는 Cmdlet에 사용할 수 있는 승인된 동사 세트가 있음

예를 들어, Get, Set, New, Remove, Start, Stop 등이 있음

 

- 명사(Noun)

Cmdlet이 작업할 대상(개체 또는 리소스)을 설명함

 

- 예시

Get-Process : Get(가져오다) + Process(프로세스) → 프로세스 정보를 가져옴

Set-Date : Set(설정하다) + Date(날짜) → 컴퓨터의 날짜와 시간을 설정함

Sort-Object : Sort(정렬하다) + Object(개체) → 개체를 정렬함

 

- 이러한 명명 규칙 덕분에 아직 사용해보지 않은 Cmdlet의 이름이라도 그 기능을 쉽게 예측할 수 있음

 

 

나. Tab 기능 활용

 

- 예시로, "Get-"까지 입력한 후 [Tab] 키를 입력하면 Get 동사로 시작하는 Cmdlet의 명사 부분이 자동으로 순환되어 나타남

 

- 이 기능을 통해 PowerShell의 다양한 기능을 탐색하고 새로운 Cmdlet을 쉽게 찾을 수 있음

 

 

### 알아두기 ###

- Get-Service Cmdlet

Get-Service는 시스템에서 실행되는 Windows 서비스에 대한 정보를 가져오는 Cmdlet임

Windows 서비스는 백그라운드에서 실행되는 응용 프로그램으로, OS의 핵심 기능들을 담당함

Get-Service 출력 결과

PS C:\Users\security> Get-Service

Status   Name               DisplayName
------   ----               -----------
Stopped  AarSvc_2c474       AarSvc_2c474
Stopped  ALG                Application Layer Gateway Service
Running  AppIDSvc           Application Identity
Running  Appinfo            Application Information
Stopped  AppMgmt            Application Management
Stopped  AppReadiness       App Readiness
Stopped  AppVClient         Microsoft App-V Client
Running  AppXSvc            AppX Deployment Service (AppXSVC)
Stopped  ApxSvc             Windows 가상 오디오 장치 프록시 서비스
Stopped  AssignedAccessM... AssignedAccessManager 서비스
Running  AudioEndpointBu... Windows Audio Endpoint Builder
Running  Audiosrv           Windows Audio
Stopped  autotimesvc        셀룰러 시간
Stopped  AxInstSV           ActiveX Installer (AxInstSV)
Stopped  BcastDVRUserSer... BcastDVRUserService_2c474
Stopped  BDESVC             BitLocker Drive Encryption Service
Running  BFE                Base Filtering Engine
Running  BITS               Background Intelligent Transfer Ser...
Stopped  BluetoothUserSe... BluetoothUserService_2c474
Running  BrokerInfrastru... Background Tasks Infrastructure Ser...
Stopped  BTAGService        Bluetooth 오디오 게이트웨이 서비스
Stopped  BthAvctpSvc        AVCTP 서비스
Stopped  bthserv            Bluetooth 지원 서비스
Running  camsvc             기능 액세스 관리자 서비스
Stopped  CaptureService_... CaptureService_2c474
Running  cbdhsvc_2c474      cbdhsvc_2c474
Running  CDPSvc             연결된 디바이스 플랫폼 서비스
Running  CDPUserSvc_2c474   CDPUserSvc_2c474
Stopped  CertPropSvc        Certificate Propagation
Stopped  ClipSVC            Client License Service (ClipSVC)
Running  CloudBackupRest... CloudBackupRestoreSvc_2c474
Stopped  cloudidsvc         Microsoft 클라우드 ID 서비스
Running  COMSysApp          COM+ System Application
Stopped  ConsentUxUserSv... ConsentUxUserSvc_2c474
Running  CoreMessagingRe... CoreMessaging
Stopped  CredentialEnrol... CredentialEnrollmentManagerUserSvc_...
Running  CryptSvc           Cryptographic Services
Stopped  CscService         Offline Files
Running  DcomLaunch         DCOM Server Process Launcher
Stopped  dcsvc              DC(구성 선언) 서비스
Stopped  defragsvc          Optimize drives
Stopped  DeviceAssociati... DeviceAssociationBrokerSvc_2c474
Stopped  DeviceAssociati... Device Association Service
Stopped  DeviceInstall      Device Install Service
Stopped  DevicePickerUse... DevicePickerUserSvc_2c474
Stopped  DevicesFlowUser... DevicesFlowUserSvc_2c474
Stopped  DevQueryBroker     DevQuery Background Discovery Broker
Running  Dhcp               DHCP Client
Stopped  diagsvc            Diagnostic Execution Service
Running  DiagTrack          Connected User Experiences and Tele...
Stopped  DialogBlockingS... DialogBlockingService
Running  DispBrokerDeskt... 정책 서비스 표시
Running  DisplayEnhancem... 디스플레이 개선 서비스
Stopped  DmEnrollmentSvc    장치 관리 등록 서비스
Stopped  dmwappushservice   장치 관리 무선 응용 프로그램 프로토...
Running  Dnscache           DNS Client
Running  DoSvc              Delivery Optimization
Stopped  dot3svc            Wired AutoConfig
Running  DPS                Diagnostic Policy Service
Stopped  DsmSvc             Device Setup Manager
Running  DsSvc              Data Sharing Service
Running  DusmSvc            데이터 사용량
Stopped  EapHost            Extensible Authentication Protocol
Stopped  edgeupdate         Microsoft Edge Update Service (edge...
Stopped  edgeupdatem        Microsoft Edge Update Service (edge...
Stopped  EFS                Encrypting File System (EFS)
Stopped  embeddedmode       포함된 모드
Stopped  EntAppSvc          Enterprise App Management Service
Running  EventLog           Windows Event Log
Running  EventSystem        COM+ Event System
Stopped  fdPHost            Function Discovery Provider Host
Stopped  FDResPub           Function Discovery Resource Publica...
Stopped  fhsvc              File History Service
Running  FontCache          Windows Font Cache Service
Stopped  FrameServer        Windows 카메라 프레임 서버
Stopped  FrameServerMonitor Windows 카메라 프레임 서버 모니터
Stopped  GameInputSvc       GameInput Service
Running  gpsvc              Group Policy Client
Stopped  GraphicsPerfSvc    GraphicsPerfSvc
Stopped  hidserv            Human Interface Device Service
Stopped  hpatchmon          Hotpatch Monitoring Service
Stopped  HvHost             HV 호스트 서비스
Stopped  icssvc             Windows 모바일 핫스팟 서비스
Stopped  IKEEXT             IKE and AuthIP IPsec Keying Modules
Running  InstallService     Microsoft Store 설치 서비스
Stopped  InventorySvc       인벤토리 및 호환성 평가 서비스
Running  iphlpsvc           IP Helper
Stopped  IpxlatCfgSvc       IP 변환 구성 서비스
Running  KeyIso             CNG Key Isolation
Stopped  KtmRm              KtmRm for Distributed Transaction C...
Running  LanmanServer       Server
Running  LanmanWorkstation  Workstation
Running  lfsvc              Geolocation Service
Running  LicenseManager     Windows 라이선스 관리자 서비스
Stopped  lltdsvc            Link-Layer Topology Discovery Mapper
Running  lmhosts            TCP/IP NetBIOS Helper
Stopped  LocalKdc           Kerberos 로컬 키 배포 센터
Running  LSM                Local Session Manager
Stopped  LxpSvc             언어 환경 서비스
Stopped  MapsBroker         Downloaded Maps Manager
Stopped  McmSvc             이 서비스는 모바일 연결 모듈에 대한...
Stopped  McpManagementSe... McpManagementService
Running  MDCoreSvc          Microsoft Defender Core Service
Stopped  MessagingServic... MessagingService_2c474
Stopped  MicrosoftEdgeEl... Microsoft Edge Elevation Service (M...
Running  mpssvc             Windows Defender Firewall
Running  MSDTC              Distributed Transaction Coordinator
Stopped  MSiSCSI            Microsoft iSCSI Initiator Service
Stopped  msiserver          Windows Installer
Stopped  MsKeyboardFilter   Microsoft 키보드 필터
Stopped  NaturalAuthenti... 기본 인증
Stopped  NcaSvc             Network Connectivity Assistant
Running  NcbService         Network Connection Broker
Stopped  NcdAutoSetup       Network Connected Devices Auto-Setup
Stopped  Netlogon           Netlogon
Stopped  Netman             Network Connections
Running  netprofm           Network List Service
Running  NetSetupSvc        Network Setup Service
Stopped  NetTcpPortSharing  Net.Tcp Port Sharing Service
Stopped  NgcCtnrSvc         Microsoft Passport Container
Stopped  NgcSvc             Microsoft Passport
Stopped  NlaSvc             네트워크 위치 인식
Stopped  NPSMSvc_2c474      NPSMSvc_2c474
Running  nsi                Network Store Interface Service
Running  OneSyncSvc_2c474   OneSyncSvc_2c474
Stopped  P9RdrService_2c474 P9RdrService_2c474
Running  PcaSvc             Program Compatibility Assistant Ser...
Stopped  PeerDistSvc        BranchCache
Stopped  PenService_2c474   PenService_2c474
Stopped  perceptionsimul... Windows Perception 시뮬레이션 서비스
Stopped  PerfHost           Performance Counter DLL Host
Stopped  PhoneSvc           Phone Service
Running  PimIndexMainten... PimIndexMaintenanceSvc_2c474
Stopped  pla                Performance Logs & Alerts
Running  PlugPlay           Plug and Play
Stopped  PolicyAgent        IPsec Policy Agent
Running  Power              Power
Stopped  PrintDeviceConf... 프린트 장치 구성 서비스
Stopped  PrintNotify        Printer Extensions and Notifications
Stopped  PrintScanBroker... PrintScanBrokerService
Stopped  PrintWorkflowUs... PrintWorkflowUserSvc_2c474
Running  ProfSvc            User Profile Service
Stopped  PushToInstall      Windows PushToInstall 서비스
Stopped  QWAVE              Quality Windows Audio Video Experience
Stopped  RasAuto            Remote Access Auto Connection Manager
Stopped  RasMan             Remote Access Connection Manager
Stopped  refsdedupsvc       ReFS 중복 제거 서비스
Stopped  RemoteAccess       Routing and Remote Access
Stopped  RemoteRegistry     Remote Registry
Stopped  RetailDemo         소매 데모 서비스
Running  RmSvc              무선 송수신 장치 관리 서비스
Running  RpcEptMapper       RPC Endpoint Mapper
Stopped  RpcLocator         Remote Procedure Call (RPC) Locator
Running  RpcSs              Remote Procedure Call (RPC)
Running  SamSs              Security Accounts Manager
Stopped  SCardSvr           Smart Card
Stopped  ScDeviceEnum       Smart Card Device Enumeration Service
Running  Schedule           Task Scheduler
Stopped  SCPolicySvc        Smart Card Removal Policy
Stopped  SDRSVC             Windows 백업
Running  seclogon           Secondary Logon
Running  SecurityHealthS... Windows 보안 서비스
Stopped  SEMgrSvc           결제 및 NFC/SE 관리자
Running  SENS               System Event Notification Service
Stopped  Sense              Windows Defender Advanced Threat Pr...
Stopped  SensorDataService  Sensor Data Service
Running  SensorService      Sensor Service
Running  SensrSvc           Sensor Monitoring Service
Stopped  SessionEnv         Remote Desktop Configuration
Stopped  SharedAccess       Internet Connection Sharing (ICS)
Running  ShellHWDetection   Shell Hardware Detection
Stopped  shpamsvc           Shared PC Account Manager
Stopped  smphost            Microsoft Storage Spaces SMP
Stopped  SmsRouter          Microsoft Windows SMS 라우터 서비스
Stopped  SNMPTrap           SNMP 트랩
Running  Spooler            Print Spooler
Stopped  sppsvc             Software Protection
Running  SSDPSRV            SSDP Discovery
Stopped  ssh-agent          OpenSSH Authentication Agent
Stopped  SstpSvc            Secure Socket Tunneling Protocol Se...
Running  StateRepository    State Repository Service
Stopped  StiSvc             Windows Image Acquisition (WIA)
Running  StorSvc            Storage Service
Stopped  svsvc              Spot Verifier
Stopped  swprv              Microsoft Software Shadow Copy Prov...
Running  SysMain            SysMain
Running  SystemEventsBroker System Events Broker
Stopped  TapiSrv            Telephony
Stopped  TermService        Remote Desktop Services
Running  TextInputManage... Text Input Management Service
Running  Themes             Themes
Stopped  TieringEngineSe... Storage Tiers Management
Running  TimeBrokerSvc      Time Broker
Running  TokenBroker        웹 계정 관리자
Running  TrkWks             Distributed Link Tracking Client
Stopped  TroubleshootingSvc 권장 문제 해결 서비스
Stopped  TrustedInstaller   Windows Modules Installer
Stopped  tzautoupdate       자동 표준 시간대 업데이트 프로그램
Running  UdkUserSvc_2c474   UdkUserSvc_2c474
Stopped  UevAgentService    User Experience Virtualization 서비스
Stopped  UmRdpService       Remote Desktop Services UserMode Po...
Running  UnistoreSvc_2c474  UnistoreSvc_2c474
Stopped  upnphost           UPnP Device Host
Running  UserDataSvc_2c474  UserDataSvc_2c474
Running  UserManager        User Manager
Running  UsoSvc             Orchestrator Service 업데이트
Running  VaultSvc           Credential Manager
Stopped  vds                Virtual Disk
Running  VGAuthService      VMware Alias Manager and Ticket Ser...
Running  VM3DService        VMware SVGA 도우미 서비스.
Stopped  vmicguestinterface Hyper-V Guest Service Interface
Stopped  vmicheartbeat      Hyper-V Heartbeat Service
Stopped  vmickvpexchange    Hyper-V Data Exchange Service
Stopped  vmicrdv            Hyper-V 원격 데스크톱 가상화 서비스
Stopped  vmicshutdown       Hyper-V Guest Shutdown Service
Stopped  vmictimesync       Hyper-V Time Synchronization Service
Stopped  vmicvmsession      Hyper-V PowerShell Direct Service
Stopped  vmicvss            Hyper-V 볼륨 섀도 복사본 요청자
Running  VMTools            VMware Tools
Stopped  vmvss              VMware Snapshot Provider
Stopped  VSS                Volume Shadow Copy
Stopped  W32Time            Windows Time
Running  WaaSMedicSvc       WaaSMedicSvc
Stopped  WalletService      WalletService
Stopped  WarpJITSvc         Warp JIT Service
Stopped  wbengine           Block Level Backup Engine Service
Stopped  WbioSrvc           Windows Biometric Service
Running  Wcmsvc             Windows Connection Manager
Stopped  wcncsvc            Windows Connect Now - Config Registrar
Stopped  WdiServiceHost     Diagnostic Service Host
Stopped  WdiSystemHost      Diagnostic System Host
Running  WdNisSvc           Microsoft Defender 바이러스 백신 네...
Stopped  WebClient          WebClient
Stopped  webthreatdefsvc    Web Threat Defense 서비스
Running  webthreatdefuse... webthreatdefusersvc_2c474
Stopped  Wecsvc             Windows Event Collector
Stopped  WEPHOSTSVC         Windows Encryption Provider Host Se...
Stopped  wercplsupport      Problem Reports Control Panel Support
Stopped  WerSvc             Windows Error Reporting Service
Stopped  WFDSConMgrSvc      Wi-Fi Direct 서비스 연결 관리자 서비스
Running  whesvc             Windows Health and Optimized Experi...
Stopped  WiaRpc             Still Image Acquisition Events
Running  WinDefend          Microsoft Defender 바이러스 백신 서...
Running  WinHttpAutoProx... WinHTTP Web Proxy Auto-Discovery Se...
Running  Winmgmt            Windows Management Instrumentation
Stopped  WinRM              Windows Remote Management (WS-Manag...
Stopped  wisvc              Windows 참가자 서비스
Stopped  WlanSvc            WLAN AutoConfig
Stopped  wlidsvc            Microsoft Account Sign-in Assistant
Stopped  wlpasvc            로컬 프로필 관리자 서비스
Stopped  WManSvc            Windows 관리 서비스
Stopped  wmiApSrv           WMI Performance Adapter
Stopped  WMPNetworkSvc      Windows Media Player Network Sharin...
Stopped  workfolderssvc     Work Folders
Stopped  WpcMonSvc          자녀 보호
Stopped  WPDBusEnum         Portable Device Enumerator Service
Running  WpnService         Windows 푸시 알림 시스템 서비스
Running  WpnUserService_... WpnUserService_2c474
Running  WSAIFabricSvc      WSAIFabricSvc
Running  wscsvc             보안 센터
Running  WSearch            Windows Search
Stopped  wuauserv           Windows 업데이트
Stopped  WwanSvc            WWAN AutoConfig
Stopped  XblAuthManager     Xbox Live 인증 관리자
Stopped  XblGameSave        Xbox Live 게임 저장
Stopped  XboxGipSvc         Xbox Accessory Management Service
Stopped  XboxNetApiSvc      Xbox Live 네트워킹 서비스


PS C:\Users\security>

위의 출력 결과에서 Status 열을 보면 각 서비스가 현재 실행 중(Running)인지 중지됨(Stopped) 상태인지 한눈에 확인할 수 있음

이 정보는 특정 서비스의 작동 상태를 확인하거나, 시스템 문제 해결 시 원인을 진단하는 데 매우 유용함

 

- Get-Content Cmdlet

● Get-Content는 특정 파일의 내용을 가져오는 Cmdlet임

● Get-Content를 사용하면 파일 내용을 신속하게 확인하고 조작할 수 있으며 이는 로그 분석이나 구성 관리에 필수적인 기능임

사용 예시

1. 바탕화면에 test.txt 파일을 생성하고 임의의 내용을 작성 후 저장

사진 Ⅲ-1-1

2. 아래와 같이 PowerShell에 명령 입력 후 출력 결과 확인

PS C:\Users\security> Get-Content "C:\Users\security\Desktop\test.txt"
Studying PowerShell

This is test file
PS C:\Users\security>

 

 

- Get-History Cmdlet

Get-History는 현재 PowerShell 세션에서 실행한 모든 명령어의 기록을 가져오는 Cmdlet임

Get-History는 이전에 실행한 복잡한 명령을 쉽게 찾아 재실행할 수 있게 해주어 작업의 효율성과 재현성을 높여줌

리눅스의 history 기능과는 다르게 세션이 종료되면 기록이 저장되지 않음

사용 예시

PS C:\Users\security> Get-History

  Id CommandLine
  -- -----------
   1 cls
   2 Get-Process | Sort-Object CPU -Descending | Select-Object -First 5
   3 cls
   4 Get-Process
   5 cls
   6 Get-Date
   7 Get-Host
   8 cls
   9 Get-Command
  10 cls
  11 Get-Service
  12 cls
  13 Get-Content "C:\Users\security\Desktop\test.txt"
  14 cls


PS C:\Users\security>

 

- Get-History로 알아보는 별칭(Alias) 사용

PowerShell은 자주 사용하는 Cmdlet의 키 입력을 줄이기 위해 별칭(Alias)을 제공함

Get-History의 별칭은 "h"

사용 예시

PS C:\Users\security> h

  Id CommandLine
  -- -----------
   1 cls
   2 Get-Process | Sort-Object CPU -Descending | Select-Object -First 5
   3 cls
   4 Get-Process
   5 cls
   6 Get-Date
   7 Get-Host
   8 cls
   9 Get-Command
  10 cls
  11 Get-Service
  12 cls
  13 Get-Content "C:\Users\security\Desktop\test.txt"
  14 cls
  15 Get-History


PS C:\Users\security>

"h"를 입력하면 Get-History와 동일한 결과가 출력됨을 확인할 수 있음

● 이러한 별칭(Alias)은 작업 효율을 높여주고 오타를 줄이는 데 도움이 됨

 

 

 

끝.