Проверьте, существует ли служба Windows, и удалите в PowerShell. - PullRequest
135 голосов
/ 11 февраля 2011

В настоящее время я пишу сценарий развертывания, который устанавливает ряд служб Windows.

Имена служб версионированы, поэтому я хочу удалить предыдущую версию службы Windows в рамках установки новой службы.

Как мне лучше всего это сделать в PowerShell?

Ответы [ 14 ]

200 голосов
/ 11 февраля 2011

Для этого можно использовать WMI или другие инструменты, поскольку до Powershell 6.0 нет командлета 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
120 голосов
/ 11 февраля 2011

Нет вреда в использовании подходящего инструмента для работы, я нахожу работающим (из Powershell)

sc.exe \\server delete "MyService" 

самый надежный метод, который не имеет много зависимостей.

79 голосов
/ 13 июня 2012

Если вы просто хотите проверить наличие услуги:

if (Get-Service "My Service" -ErrorAction SilentlyContinue)
{
    "service exists"
}
21 голосов
/ 18 июня 2013

Я использовал решение "-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 

Но ravikanth имеет лучшее решение, так как Get-WmiObject не выдаст ошибку, если Сервис не существует.Поэтому я остановился на использовании:

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
}
12 голосов
/ 04 мая 2016

Более поздние версии 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:\> 

В моей ситуации мне нужно было запустить «Как администратор»

6 голосов
/ 01 декабря 2017

Чтобы удалить несколько сервисов в Powershell 5.0, так как сервис удаления не существует в этой версии

Запустите приведенную ниже команду

Get-Service -Displayname "*ServiceName*" | ForEach-object{ cmd /c  sc delete $_.Name}
4 голосов
/ 21 октября 2014

Можно использовать Where-Object

if ((Get-Service | Where-Object {$_.Name -eq $serviceName}).length -eq 1) { "Service Exists" }

4 голосов
/ 24 января 2014

Объединив ответы Дмитрия и ДК, я сделал это:

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
    }       
}
3 голосов
/ 13 декабря 2017

PowerShell Core ( v6 + ) теперь имеет Remove-Service командлет .

Я не знаю о планах перенести его на Windows PowerShell, где он не доступен с v5.1.

Пример:

# PowerShell *Core* only (v6+)
Remove-Service someservice

Обратите внимание, что вызов завершается неудачно, если служба не существует, поэтому удалить ее, только если она существует в данный момент, можно:

# PowerShell *Core* only (v6+)
$name = 'someservice'
if (Get-Service $name -ErrorAction Ignore) {
  Remove-Service $name
}
3 голосов
/ 22 сентября 2015

Для одного ПК:

if (Get-Service "service_name" -ErrorAction 'SilentlyContinue'){(Get-WmiObject -Class Win32_Service -filter "Name='service_name'").delete()}

else{write-host "No service found."}

Макрос для списка компьютеров:

$name = "service_name"

$list = get-content list.txt

foreach ($server in $list) {

if (Get-Service "service_name" -computername $server -ErrorAction 'SilentlyContinue'){
(Get-WmiObject -Class Win32_Service -filter "Name='service_name'" -ComputerName $server).delete()}

else{write-host "No service $name found on $server."}

}
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...