4

我正在尝试使用 PowerShell 的 POST 请求。它需要原始类型的主体。我知道如何使用 PowerShell 传递表单数据,但不确定原始数据类型。对于 Postman 中的简单原始数据,例如

{
"@type":"login",
 "username":"xxx@gmail.com",
 "password":"yyy"
}

我在 PowerShell 中通过下面,它工作正常。

$rawcreds = @{
               '@type' = 'login'
                username=$Username
                password=$Password
             }

        $json = $rawcreds | ConvertTo-Json

但是,对于像下面这样的复杂原始数据,我不确定如何传入 PowerShell。

{
    "@type": Sample_name_01",
    "agentId": "00000Y08000000000004",
    "parameters": [
        {
            "@type": "TaskParameter",
            "name": "$source$",
            "type": "EXTENDED_SOURCE"
        },
        {
            "@type": "TaskParameter",
            "name": "$target$",
            "type": "TARGET",
            "targetConnectionId": "00000Y0B000000000020",
            "targetObject": "sample_object"
        }
    ],
    "mappingId": "00000Y1700000000000A"
}
4

1 回答 1

8

我的解释是你的第二个代码块是你想要的原始 JSON,你不确定如何构造它。最简单的方法是使用here 字符串

$body = @"
{
    "@type": Sample_name_01",
    "agentId": "00000Y08000000000004",
    "parameters": [
        {
            "@type": "TaskParameter",
            "name": "$source$",
            "type": "EXTENDED_SOURCE"
        },
        {
            "@type": "TaskParameter",
            "name": "$target$",
            "type": "TARGET",
            "targetConnectionId": "00000Y0B000000000020",
            "targetObject": "sample_object"
        }
    ],
    "mappingId": "00000Y1700000000000A"
}
"@

Invoke-WebRequest -Body $body

变量替换有效(因为我们使用@"而不是@'),但您不必对文字"字符进行混乱的转义。

所以这意味着$source$它将被解释为一个名为$source嵌入字符串中的变量,后跟一个文字$. 如果这不是您想要的(也就是说,如果您想$source$在正文中直接使用),则使用@'and'@将您的 here 字符串括起来,以便不嵌入 powershell 变量。

于 2016-03-02T16:02:15.050 回答