Powershell Json 将 — 替换为 â

Powershell Json replacing — with â

我有一个从 public API 获取数据的脚本。我尝试将 Json 响应中的值解析为变量。然而,当我 Write-Host 变量时,它似乎已替换为 â.

代码:

$SetData = Invoke-RestMethod -Uri "https://mtgjson.com/api/v5/2XM.json" -ContentType "application/json" -Method GET

$Card = $SetData.data.cards | Where-Object { $_.name -eq "Adaptive Automaton" -and $_.isPromo -ne "true"}
Write-Host $Card.type -ForegroundColor Cyan

输出:

Artifact Creature — Construct

这里的 Invoke-RestMethod 返回的字符串看起来是用 'ISO-8859-1' 编码的,而不是像你期望的那样用 UTF-8 编码。

这意味着您需要在需要的地方转换为 UTF-8,如下所示:

$encoding = [System.Text.Encoding]::GetEncoding('ISO-8859-1')

$SetData = Invoke-RestMethod -Uri "https://mtgjson.com/api/v5/2XM.json" -ContentType "application/json" -Method GET

$Card = $SetData.data.cards | Where-Object { $_.name -eq "Adaptive Automaton" -and !$_.isPromo}
# convert the string in '$Card.type' from encoding 'ISO-8859-1' into 'UTF-8'
$cardType = ([System.Text.Encoding]::UTF8).GetString($encoding.GetBytes($Card.type))

Write-Host $cardType -ForegroundColor Cyan

输出

Artifact Creature — Construct

要将整个 json 转换为 UTF-8,您可以使用 Invoke-WebRequest 而不是 Invoke-RestMethod:

$encoding = [System.Text.Encoding]::GetEncoding('ISO-8859-1')

$SetData = Invoke-WebRequest -Uri "https://mtgjson.com/api/v5/2XM.json" -Method Get
# convert $SetData.Content to UTF-8 and convert that from JSON
$content = ([System.Text.Encoding]::UTF8).GetString($encoding.GetBytes($SetData.Content)) | ConvertFrom-Json

$Card = $content.data.cards | Where-Object { $_.name -eq "Adaptive Automaton" -and !$_.isPromo}
Write-Host $Card.type -ForegroundColor Cyan