3

背景:我一直在编写一个 powershell 脚本,将文件从 Windows Server '08(使用 Powershell 2.x)上的 Sharpoint 2010 实例迁移到 Windows Server '12(使用 Powershell 3.x)上的 Sharepoint 2013 实例。我有这个工作,但我注意到范围的处理方式发生了变化。

问题:我有以下代码在两个 PSSession 上运行($param是参数值的哈希表)

Invoke-Command -session $Session -argumentlist $params -scriptblock `
{
    Param ($in)
    $params = $in # store parameters in remote session

    # need to run with elevated privileges to access sharepoint farm
    # drops cli stdout support (no echo to screen...)
    [Microsoft.SharePoint.SPSecurity]::RunWithElevatedPrivileges(
    {
        # start getting the site and web objects
        $site = get-spsite($params["SiteURL"])
    })
}

我注意到在 PS 2.x 远程会话中,分配给也分配给' 范围内$site 的同一个变量,即要么范围被传递,要么它们共享相同的范围。但是在 PS 3.x 远程会话中分配给不会更改(真正的子范围)中的值。Invoke-Command$siteInvoke-Command

我的解决方案:我编写了一个函数来计算它调用的每个服务器上的正确范围,然后使用返回值作为Get-Variableand选项Set-Variable的输入。-Scope这解决了我的问题并允许分配和访问变量。

Function GetCorrectScope
{
    # scoping changed between version 2 and 3 of powershell
    # in version 3 we need to transfer variables between the
    # parent and local scope.
    if ($psversiontable.psversion.major -gt 2)
    {
        $ParentScope = 1 # up one level, powershell version >= 3
    }else
    {
        $ParentScope = 0 # current level, powershell version < 3
    }

    $ParentScope
}

问题:Microsoft 记录在哪里(如果在任何地方)?(我在 TechNet 上的about_scope中找不到它,它说它适用于 2.x 和 3.x,并且是我在其他问题中看到的标准参考)。

另外,有没有更好/正确的方法来做到这一点?

4

1 回答 1

4

它记录在 WMF 3 发行说明中的​​“Windows POWERSHELL 语言的更改”部分。

作为委托执行的脚本块在它们自己的范围内运行

Add-Type @"
public class Invoker
{
    public static void Invoke(System.Action<int> func)
    {
        func(1);
    }
}
"@
$a = 0
[Invoker]::Invoke({$a = 1})
$a

Returns 1 in Windows PowerShell 2.0 
Returns 0 in Windows PowerShell 3.0
于 2013-08-29T16:42:39.503 回答