如何将Unicode BigEndian中的ps1文件更改为ASCII?

时间:2016-01-21 04:33:30

标签: powershell ascii powershell-v2.0 powershell-v3.0

我们的自动构建脚本也将签署powershell脚本。但是我们的一些powershell脚本没有签名。当我分析时,我们发现有一个已知的问题,Powershell保存的文件正在保存在Unicode BigEndian中,无法签名。

由于它是自动化过程,如果检查文件是否以Unicode big endian保存,然后将其更改为ASCII将解决我们的问题。

在powershell中有办法吗?

1 个答案:

答案 0 :(得分:2)

我找到了一个获取文件编码的函数here

<#
.SYNOPSIS
Gets file encoding.
.DESCRIPTION
The Get-FileEncoding function determines encoding by looking at Byte Order Mark (BOM).
Based on port of C# code from http://www.west-wind.com/Weblog/posts/197245.aspx
.EXAMPLE
Get-ChildItem  *.ps1 | select FullName, @{n='Encoding';e={Get-FileEncoding $_.FullName}} | where {$_.Encoding -ne 'ASCII'}
This command gets ps1 files in current directory where encoding is not ASCII
.EXAMPLE
Get-ChildItem  *.ps1 | select FullName, @{n='Encoding';e={Get-FileEncoding $_.FullName}} | where {$_.Encoding -ne 'ASCII'} | foreach {(get-content $_.FullName) | set-content $_.FullName -Encoding ASCII}
Same as previous example but fixes encoding using set-content
#>
function Get-FileEncoding
{
    [CmdletBinding()] Param (
     [Parameter(Mandatory = $True, ValueFromPipelineByPropertyName = $True)] [string]$Path
    )

    [byte[]]$byte = get-content -Encoding byte -ReadCount 4 -TotalCount 4 -Path $Path

    if ( $byte[0] -eq 0xef -and $byte[1] -eq 0xbb -and $byte[2] -eq 0xbf )
    { Write-Output 'UTF8' }
    elseif ($byte[0] -eq 0xfe -and $byte[1] -eq 0xff)
    { Write-Output 'Unicode' }
    elseif ($byte[0] -eq 0 -and $byte[1] -eq 0 -and $byte[2] -eq 0xfe -and $byte[3] -eq 0xff)
    { Write-Output 'UTF32' }
    elseif ($byte[0] -eq 0x2b -and $byte[1] -eq 0x2f -and $byte[2] -eq 0x76)
    { Write-Output 'UTF7'}
    else
    { Write-Output 'ASCII' }
}

使用this重新编码为ASCII:

If ((Get-FileEncoding -Path $file) -ine "ascii") {
    [System.Io.File]::ReadAllText($file) | Out-File -FilePath $file -Encoding Ascii
}