9

我正在尝试创建一个 powershell 脚本,它查看给定目录下的所有文件和文件夹,然后将 .properties 文件中给定单词的所有实例更改为另一个给定单词的实例。

我在下面写的内容是这样做的,但是我的版本控制会注意到每个文件中的更改,无论它是否包含要更改的单词的实例。为了解决这个问题,我尝试在获取/设置内容(如下所示)之前检查文件中是否存在该单词,但是它告诉我 [System.Object[]] 不包含名为“包含”的方法。我认为这意味着 $_ 是一个数组,所以我尝试创建一个循环来遍历它并一次检查每个文件,但是它告诉我它无法索引到 System.IO.FileInfo 类型的对象。

谁能告诉我如何更改下面的代码以检查文件是否包含 wordToChange,然后应用它所做的更改。

$directoryToTarget=$args[0]
$wordToFind=$args[1]
$wordToReplace=$args[2]

Clear-Content log.txt

Get-ChildItem -Path $directoryToTarget -Filter *.properties -Recurse | where { !$_.PSIsContainer } | % { 


If((Get-Content $_.FullName).Contains($wordToFind))
{
    Add-Content log.txt $_.FullName
    (Get-Content $_.FullName) | 
     ForEach-Object { $_ -replace $wordToFind , $wordToReplace } | 
     Set-Content $_.FullName
}



}

谢谢!

4

3 回答 3

17

尝试这个:

$directoryToTarget=$args[0]
$wordToFind=$args[1]
$wordToReplace=$args[2]

Clear-Content log.txt

Get-ChildItem -Path $directoryToTarget -Filter *.properties -Recurse | where { !$_.PSIsContainer } | % { 

$file = Get-Content $_.FullName
$containsWord = $file | %{$_ -match $wordToFind}
If($containsWord -contains $true)
{
    Add-Content log.txt $_.FullName
    ($file) | ForEach-Object { $_ -replace $wordToFind , $wordToReplace } | 
     Set-Content $_.FullName
}

}

这会将文件的内容放入一个数组中,$file然后检查每一行的单词。每行结果 ( $true/ $false) 被放入一个数组$containsWord中。然后检查数组以查看是否找到了单词($True变量存在);如果是这样,if loop则运行。

于 2013-09-05T10:37:23.600 回答
4

简化的包含子句

$file = Get-Content $_.FullName

if ((Get-Content $file | %{$_ -match $wordToFind}) -contains $true) {
    Add-Content log.txt $_.FullName
    ($file) | ForEach-Object { $_ -replace $wordToFind , $wordToReplace } | 
    Set-Content $_.FullName
}
于 2018-03-26T11:37:15.757 回答
-1

检查该文件是否包含单词的最简单方法

如果我们查看Get-Content结果,我们会找到字符串 System.Array。所以,我们可以像 .NET 中的 System.Linq 一样:

content.Any(s => s.Contains(wordToFind));

在 PowerShell 中,它看起来像:

Get-Content $filePath `
            | %{ $res = $false } `
               { $res = $res -or $_.Contains($wordToFind) } `
               { return $res }

因此,我们可以在 cmdlet 中将其与文件路径和包含单词的参数聚合并使用它。还有一个:我们可以使用 Regex with-match而不是Contains,所以它会更灵活。

于 2019-02-05T15:26:13.493 回答