将变量从c#传递到PowerShell不起作用

本文关键字:PowerShell 不起作用 变量 | 更新日期: 2023-09-27 18:11:48

我想传递一个c#对象给PowerShell,这样我就可以为主UI提供状态更新。我在SO上看到了一些关于这个的帖子,但似乎没有一个能帮助解决我的问题。

Runspace runspace = RunspaceFactory.CreateRunspace();
runspace.ThreadOptions = PSThreadOptions.UseCurrentThread;
runspace.Open();
runspace.SessionStateProxy.SetVariable("LogReporter", this.LogReporter);
Pipeline pipeline = runspace.CreatePipeline();
pipeline.Commands.AddScript(script);
StringBuilder builder = new StringBuilder();
Collection<PSObject> objects = pipeline.Invoke();

在PowerShell脚本中,我想访问LogReporter(基本类型:System.Windows.Window),如下面的代码片段所示

$RunningInstances= @(Get-ChildItem | Where-Object { $_.InstanceStatus.ToString() -eq "Running" })
$LogReporter.ReportProgress($RunningInstances.Count.ToString() + " instances running currently...")

然而,我得到的只是

You cannot call a method on a null-valued expression.
   at CallSite.Target(Closure , CallSite , Object , Object )
   at System.Dynamic.UpdateDelegates.UpdateAndExecute2[T0,T1,TRet](CallSite site, T0 arg0, T1 arg1)
   at System.Management.Automation.Interpreter.DynamicInstruction`3.Run(InterpretedFrame frame)
   at System.Management.Automation.Interpreter.EnterTryCatchFinallyInstruction.Run(InterpretedFrame frame)

我试图列出$LogReporter变量的所有成员,但结果是

No object has been specified to the get-member cmdlet.

这意味着,$LogReporter变量是null。现在的问题是:为什么以及如何解决这个问题?

请注意,为了更好的可读性,代码略有简化,但显示了必要和失败的部分。

你知道是哪里出了问题吗?我必须以某种方式注册我的LogReporter类型吗?

谢谢你的帮助!

<

解决方案/strong>

我有一个拼写错误,c#代码中的变量与PowerShell脚本中的变量不匹配。这里的代码示例没有任何问题。

将变量从c#传递到PowerShell不起作用

下面是一个完整的工作示例,它向您展示了这个问题。问题不在于LogReporter变量,而在于"$_. instanatus . tostring()"部分。在你的例子中instancatus是空的,ToString()抛出上面的异常。在下面的代码中,我只是删除了ToString()调用,你看到"0实例运行"的消息从你的LogReporter。

class Program
{
    private static void Main(string[] args) {
        new ScriptRunner().Run();   
        Console.ReadKey(); 
    }        
}
class ScriptRunner {
    public ScriptRunner() {
        this.LogReporter = new LogReporter();
    }
    public void Run() {
        Runspace runspace = RunspaceFactory.CreateRunspace();
        runspace.ThreadOptions = PSThreadOptions.UseCurrentThread;
        runspace.Open();

        Pipeline pipeline = runspace.CreatePipeline();
        pipeline.Commands.AddScript("$RunningInstances=@(Get-ChildItem | Where-Object {$_.InstanceStatus -eq '"Running'"})");
        runspace.SessionStateProxy.SetVariable("LogReporter", this.LogReporter);
        pipeline.Commands.AddScript("$LogReporter.ReportProgress($RunningInstances.Count.ToString()+'" instances running currently...'")");
        StringBuilder builder = new StringBuilder();
        Collection<PSObject> objects = pipeline.Invoke();            
    }
    public LogReporter LogReporter { get; private set; }
}
class LogReporter
{
    public void ReportProgress(string msg)
    {
        Console.WriteLine(msg);
    }
}