0

我正在尝试在 PowerShell 中进行一些值替换。我有一个包含通用查询的文本文件,即

-- query.sql
SELECT
     'varTableName' AS myTableName
    , COUNT(DISTINCT parmColumnName) AS myDistinctCount
    , SUM(parmColumnName2) AS mySum
FROM varDatabaseName.varSchemaName.varTableName WITH (NOLOCK);

我正在尝试替换“var”和“parm”值。我有两个不同的数据行。在我的脚本中,我遍历第一个数据行并使用焦点行进行替换。这很好用。我的问题是下一部分。然后,我需要遍历包含多行的第二个数据行,并对匹配的任何值执行替换。

我尝试做这样的事情,但没有成功:

# myScript.ps1 -- does not work 
# ...
# Code here to populate $MyDataRow 
ForEach ($MyRow In $MyDataRow) {
    [string]$Query = Get-Content query.sql  | ForEach-Object {
                            $_ -replace "varTableName", $Table `
                               -replace "varDatabaseName", $MyRow.DatabaseName `
                               -replace "varSchemaName", $MyRow.SchemaName `
                               -replace "varTableName", $MyRow.TableName
                               -replace $MyOtherDataRow.SearchString, $MyOtherDataRow.ReplaceString
                            }
}

然而,这奏效了:

# myScript.ps1 -- works
# ...
# Code here to populate $MyDataRow 
ForEach ($MyRow In $MyDataRow) {
    [string]$Query = Get-Content query.sql  | ForEach-Object {
                            $_ -replace "varTableName", $Table `
                               -replace "varDatabaseName", $MyRow.DatabaseName `
                               -replace "varSchemaName", $MyRow.SchemaName `
                               -replace "varTableName", $MyRow.TableName
                            }

    ForEach($MyOtherRow In $MyOtherDataRow) {
        $Query = $Query | ForEach-Object {
            $_ -replace $MyOtherRow.SearchString, $MyOtherRow.ReplaceString
            }
    }
}

不过,我只是在学习 PowerShell,所以我不知道这是否是处理此问题的最有效方法。我想知道我是否可以以某种方式将第二个 ForEach 替换传递给第一个结果?最好的方法是什么?

哦,如果它是相关的,我正在使用 PowerShell 3.0。

任何输入表示赞赏。:)

4

1 回答 1

1

我可能会这样做:

$query = Get-Content query.sql

$MyDataRow | % {
  $query = $query -replace "varDatabaseName", $_.DatabaseName `
                  -replace "varSchemaName", $_.SchemaName `
                  -replace "varTableName", $_.TableName
}

$MyOtherDataRow | % {
  $query = $query -replace $_.SearchString, $_.ReplaceString
}
于 2013-03-08T22:13:28.607 回答