0

我知道如何执行单个 powershell 命令并使用 C# 代码查看它的结果。但我想知道如何执行如下一组相关命令并获取输出:

$x = some_commandlet
$x.isPaused()

简单地说,我想访问$x.isPaused().

如何将此功能添加到我的 C# 应用程序?

4

1 回答 1

2

对于这样的命令,最好创建一个称为管道的东西并将其提供给您的脚本。我找到了一个很好的例子。您可以在此处找到有关此代码和此类项目的更多信息。

private string RunScript(string scriptText)
{
    // create Powershell runspace

    Runspace runspace = RunspaceFactory.CreateRunspace();

    // open it

    runspace.Open();

    // create a pipeline and feed it the script text

    Pipeline pipeline = runspace.CreatePipeline();
    pipeline.Commands.AddScript(scriptText);

    // add an extra command to transform the script
    // output objects into nicely formatted strings

    // remove this line to get the actual objects
    // that the script returns. For example, the script

    // "Get-Process" returns a collection
    // of System.Diagnostics.Process instances.

    pipeline.Commands.Add("Out-String");

    // execute the script

    Collection<psobject /> results = pipeline.Invoke();

    // close the runspace

    runspace.Close();

    // convert the script result into a single string

    StringBuilder stringBuilder = new StringBuilder();
    foreach (PSObject obj in results)
    {
        stringBuilder.AppendLine(obj.ToString());
    }

    return stringBuilder.ToString();
}

此方法巧妙地完成了适当的注释。也可以直接到我给的Code Project的链接下载开始玩!

于 2012-07-11T05:08:51.410 回答