什么是LINQ的All()的PowerShell等价物?

时间:2016-02-07 19:42:23

标签: linq powershell

我正在尝试测试PowerShell中数组中所有项的条件是否为真(类似于LINQ的All函数)。在PowerShell中执行此操作的“正确”方法是什么,而不是编写手动for循环?

具体来说,here是我试图从C#转换的代码:

public static IEnumerable<string> FilterNamespaces(IEnumerable<string> namespaces)
  => namespaces
     .Where(ns => namespaces
       .Where(n => n != ns)
         .All(n => !Regex.IsMatch(n, $@"{Regex.Escape(ns)}[\.\n]")))
     .Distinct();

1 个答案:

答案 0 :(得分:4)

我不会在PowerShell中重新创建C#代码,而是使用PowerShell方式。例如:

function Filter-Namespaces ([string[]]$Namespaces) {
  $Namespaces | Where-Object {
    $thisNamespace = $_;
    (
      $Namespaces | ForEach-Object { $_ -match "^$([regex]::Escape($thisNamespace))\." }
    ) -notcontains $true
  } | Select-Object -Unique
}

Filter-Namespaces -Namespaces $values

System.Windows.Input
System.Windows.Converters
System.Windows.Markup.Primitives
System.IO.Packaging

但是,要回答您的问题,您可以采用手动方式:

$values = "System",
"System.Windows",
"System.Windows.Input",
"System.Windows.Converters",
"System.Windows.Markup",
"System.Windows.Markup.Primitives",
"System.IO",
"System.IO.Packaging"

($values | ForEach-Object { $_ -match 'System' }) -notcontains $false

True

或者你可以为它创建一个函数:

function Test-All {
    [CmdletBinding()]
    param(
    [Parameter(Mandatory=$true)]
    $Condition,
    [Parameter(Mandatory=$true,ValueFromPipeline=$true)]
    $InputObject
    )

    begin { $result = $true }
    process {
        $InputObject | Foreach-Object { 
            if (-not (& $Condition)) { $result = $false }
        }
    }
    end { $result }
}

$values = "System",
"System.Windows",
"System.Windows.Input",
"System.Windows.Converters",
"System.Windows.Markup",
"System.Windows.Markup.Primitives",
"System.IO",
"System.IO.Packaging"

#Using pipeline
$values | Test-All { $_ -match 'System' }

#Using array arguemtn
Test-All -Condition { $_ -match 'System' } -InputObject $values
#Using single value argument
Test-All -Condition { $_ -match 'System' } -InputObject $values[0]

或者您可以使用Add-Type编译C#代码或加载已编译的dll。