我正在实现一个 WPF 应用程序,它为字典中给出的每个键/值对执行一个 PowerShell 脚本,使用该对作为脚本参数。我将脚本的每次运行都存储为管道中的新命令。但是,这导致我只能在每次运行脚本后需要输出时从运行的最后一个命令中获取输出。我考虑过在每次执行脚本时创建一个新管道,但我需要知道脚本的所有执行何时完成。这是帮助解释我的问题的相关代码:
private void executePowerShellScript(String scriptText, Dictionary<String, String> args)
{
// Create the PowerShell object.
PowerShell powerShell = PowerShell.Create();
// If arguments were given, add the script and its arguments.
if (args != null)
{
foreach (KeyValuePair<String, String> arg in args)
{
powerShell.AddScript(scriptText);
powerShell.AddArgument(arg.Key);
powerShell.AddArgument(arg.Value);
}
}
// Otherwise, just add the script.
else
powerShell.AddScript(scriptText);
// Add the event handlers.
PSDataCollection<PSObject> output = new PSDataCollection<PSObject>();
output.DataAdded += new EventHandler<DataAddedEventArgs>(Output_DataAdded);
powerShell.InvocationStateChanged +=
new EventHandler<PSInvocationStateChangedEventArgs>(Powershell_InvocationStateChanged);
// Invoke the pipeline asynchronously.
IAsyncResult asyncResult = powerShell.BeginInvoke<PSObject, PSObject>(null, output);
}
private void Output_DataAdded(object sender, DataAddedEventArgs e)
{
PSDataCollection<PSObject> myp = (PSDataCollection<PSObject>)sender;
Collection<PSObject> results = myp.ReadAll();
foreach (PSObject result in results)
{
Console.WriteLine(result.ToString());
}
}
然后我使用以下方法知道脚本的所有执行何时完成。由于我通过检查管道的调用状态是否已完成来执行此操作,因此我无法为脚本的每次执行创建新的管道:
private void Powershell_InvocationStateChanged(object sender, PSInvocationStateChangedEventArgs e)
{
switch (e.InvocationStateInfo.State)
{
case PSInvocationState.Completed:
ActiveCommand.OnCommandSucceeded(new EventArgs());
break;
case PSInvocationState.Failed:
OnErrorOccurred(new ErrorEventArgs((sender as PowerShell).Streams.Error.ReadAll()));
break;
}
Console.WriteLine("PowerShell object state changed: state: {0}\n", e.InvocationStateInfo.State);
}
所以,要回答我的问题:
1)我可以强制管道在它执行的每个命令之后产生输出吗?或者,
2)如果我每次运行命令时都创建一个新管道,是否有另一种方法可以检查脚本的所有执行是否已完成?
在 C# 中使用实际类的例子很少PowerShell
,我对线程几乎一无所知,所以任何帮助将不胜感激。