[powershell] Windows 서비스가 존재하는지 확인하고 PowerShell에서 삭제

현재 많은 Windows 서비스를 설치하는 배포 스크립트를 작성 중입니다.

서비스 이름은 버전이 지정되어 있으므로 새 서비스 설치의 일부로 이전 Windows 서비스 버전을 삭제하고 싶습니다.

PowerShell에서 가장 잘 수행 할 수있는 방법은 무엇입니까?



답변

Remove-ServicePowershell 6.0까지 cmdlet 이 없으므로 WMI 또는 기타 도구를 사용할 수 있습니다 ( Remove-Service 문서 참조)

예를 들면 다음과 같습니다.

$service = Get-WmiObject -Class Win32_Service -Filter "Name='servicename'"
$service.delete()

또는 sc.exe도구를 사용하여 :

sc.exe delete ServiceName

마지막으로 PowerShell 6.0에 액세스 할 수있는 경우 :

Remove-Service -Name ServiceName


답변

작업에 적합한 도구를 사용하는 데 아무런 해가 없습니다 .Powershell에서 실행 중입니다.

sc.exe \\server delete "MyService" 

많은 의존성이없는 가장 신뢰할 수있는 방법.


답변

서비스 존재 여부 만 확인하려는 경우 :

if (Get-Service "My Service" -ErrorAction SilentlyContinue)
{
    "service exists"
}


답변

“-ErrorAction SilentlyContinue”솔루션을 사용했지만 나중에 ErrorRecord가 남는 문제가 발생했습니다. “Get-Service”를 사용하여 서비스가 있는지 확인하는 또 다른 솔루션이 있습니다.

# Determines if a Service exists with a name as defined in $ServiceName.
# Returns a boolean $True or $False.
Function ServiceExists([string] $ServiceName) {
    [bool] $Return = $False
    # If you use just "Get-Service $ServiceName", it will return an error if 
    # the service didn't exist.  Trick Get-Service to return an array of 
    # Services, but only if the name exactly matches the $ServiceName.  
    # This way you can test if the array is emply.
    if ( Get-Service "$ServiceName*" -Include $ServiceName ) {
        $Return = $True
    }
    Return $Return
}

[bool] $thisServiceExists = ServiceExists "A Service Name"
$thisServiceExists 

그러나 서비스가 존재하지 않으면 Get-WmiObject에서 오류가 발생하지 않으므로 ravikanth가 최상의 솔루션을 제공합니다. 그래서 나는 다음을 사용하여 정착했다.

Function ServiceExists([string] $ServiceName) {
    [bool] $Return = $False
    if ( Get-WmiObject -Class Win32_Service -Filter "Name='$ServiceName'" ) {
        $Return = $True
    }
    Return $Return
}

보다 완벽한 솔루션을 제공하려면 다음을 수행하십시오.

# Deletes a Service with a name as defined in $ServiceName.
# Returns a boolean $True or $False.  $True if the Service didn't exist or was 
# successfully deleted after execution.
Function DeleteService([string] $ServiceName) {
    [bool] $Return = $False
    $Service = Get-WmiObject -Class Win32_Service -Filter "Name='$ServiceName'"
    if ( $Service ) {
        $Service.Delete()
        if ( -Not ( ServiceExists $ServiceName ) ) {
            $Return = $True
        }
    } else {
        $Return = $True
    }
    Return $Return
}


답변

최신 버전의 PS에는 Remove-WmiObject가 있습니다. $ service.delete ()에 대해 자동 실패에주의하십시오 …

PS D:\> $s3=Get-WmiObject -Class Win32_Service -Filter "Name='TSATSvrSvc03'"

PS D:\> $s3.delete()
...
ReturnValue      : 2
...
PS D:\> $?
True
PS D:\> $LASTEXITCODE
0
PS D:\> $result=$s3.delete()

PS D:\> $result.ReturnValue
2

PS D:\> Remove-WmiObject -InputObject $s3
Remove-WmiObject : Access denied
At line:1 char:1
+ Remove-WmiObject -InputObject $s3
+ ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    + CategoryInfo          : InvalidOperation: (:) [Remove-WmiObject], ManagementException
    + FullyQualifiedErrorId : RemoveWMIManagementException,Microsoft.PowerShell.Commands.RemoveWmiObject

PS D:\> 

내 상황에서는 ‘관리자 권한으로’를 실행해야했습니다.


답변

이 버전에는 제거 서비스가 없으므로 Powershell 5.0에서 여러 서비스를 삭제하려면

아래 명령을 실행하십시오.

Get-Service -Displayname "*ServiceName*" | ForEach-object{ cmd /c  sc delete $_.Name}


답변

Dmitri와 dcx의 답변을 결합하여 다음과 같이했습니다.

function Confirm-WindowsServiceExists($name)
{
    if (Get-Service $name -ErrorAction SilentlyContinue)
    {
        return $true
    }
    return $false
}

function Remove-WindowsServiceIfItExists($name)
{
    $exists = Confirm-WindowsServiceExists $name
    if ($exists)
    {
        sc.exe \\server delete $name
    }
}