web-dev-qa-db-fra.com

Comment itérer via XML dans Powershell?

J'ai ce document XML dans un fichier texte:

<?xml version="1.0"?>
<Objects>
  <Object Type="System.Management.Automation.PSCustomObject">
    <Property Name="DisplayName" Type="System.String">SQL Server (MSSQLSERVER)</Property>
    <Property Name="ServiceState" Type="Microsoft.SqlServer.Management.Smo.Wmi.ServiceState">Running</Property>
  </Object>
  <Object Type="System.Management.Automation.PSCustomObject">
    <Property Name="DisplayName" Type="System.String">SQL Server Agent (MSSQLSERVER)</Property>
    <Property Name="ServiceState" Type="Microsoft.SqlServer.Management.Smo.Wmi.ServiceState">Stopped</Property>
  </Object>
</Objects>

Je veux parcourir chaque objet et trouver les DisplayName et ServiceState. Comment je ferais ça? J'ai essayé toutes sortes de combinaisons et j'ai du mal à comprendre.

Je fais ceci pour obtenir le XML dans une variable:

[xml]$priorServiceStates = Get-Content $serviceStatePath;

$serviceStatePath est le nom du fichier XML indiqué ci-dessus. J'ai alors pensé pouvoir faire quelque chose comme:

foreach ($obj in $priorServiceStates.Objects.Object)
{
    if($obj.ServiceState -eq "Running")
    {
        $obj.DisplayName;
    }
}

Et dans cet exemple, je voudrais une chaîne sortie avec SQL Server (MSSQLSERVER)

28
Mark Allison

PowerShell intègre les fonctions XML et XPath . Vous pouvez utiliser l'applet de commande Select-Xml avec une requête XPath pour sélectionner des nœuds à partir d'un objet XML, puis . Node. '# Text' pour accéder à la valeur du nœud.

[xml]$xml = Get-Content $serviceStatePath
$nodes = Select-Xml "//Object[Property/@Name='ServiceState' and Property='Running']/Property[@Name='DisplayName']" $xml
$nodes | ForEach-Object {$_.Node.'#text'}

Ou plus court

[xml]$xml = Get-Content $serviceStatePath
Select-Xml "//Object[Property/@Name='ServiceState' and Property='Running']/Property[@Name='DisplayName']" $xml |
  % {$_.Node.'#text'}
35
mswietlicki

Vous pouvez également le faire sans le cast [xml]. (Bien que xpath soit un monde en soi. https://www.w3schools.com/xml/xml_xpath.asp )

$xml = (select-xml -xpath / -path stack.xml).node
$xml.objects.object.property

Ou simplement, xpath est sensible à la casse. Les deux ont la même sortie:

$xml = (select-xml -xpath /Objects/Object/Property -path stack.xml).node
$xml


Name         Type                                                #text
----         ----                                                -----
DisplayName  System.String                                       SQL Server (MSSQLSERVER)
ServiceState Microsoft.SqlServer.Management.Smo.Wmi.ServiceState Running
DisplayName  System.String                                       SQL Server Agent (MSSQLSERVER)
ServiceState Microsoft.SqlServer.Management.Smo.Wmi.ServiceState Stopped
0
js2010