返回列表 发帖

[转载代码] [PowerShell每日技巧]字符串中的变量扩展(20140226)

To insert a variable into a string, you probably know that you can use double quotes like this:
$domain = $env:USERDOMAIN
$username = $env:USERNAME
"$domain\$username"COPY
This works well as long as it is clear to PowerShell where your variables start and end. Check this out:
$domain = $env:USERDOMAIN
$username = $env:USERNAME
"$username: located in domain $domain"COPY
This fails, because PowerShell adds the colon to the variable (as indicated by the token colors).

You can use the PowerShell backtick escape character to escape special characters like the colon:
$domain = $env:USERDOMAIN
$username = $env:USERNAMECOPY
"$username`: located in domain $domain"COPY
This will not help you, though, if the problem was not caused by a special character in the first place:
"Current Background Color: $host.UI.RawUI.BackgroundColor"COPY
Token colors indicate that double quoted strings only resolve the variable and nothing else (nothing that follows the variable name, like accessing object properties).

To solve this problem, you must use one of these techniques:
"Current Background Color: $($host.UI.RawUI.BackgroundColor)"COPY
'Current Background Color: ' + $host.UI.RawUI.BackgroundColorCOPY
'Current Background Color: {0}' -f $host.UI.RawUI.BackgroundColorCOPY
http://powershell.com/cs/blogs/tips/archive/2014/02/26/expanding-variables-in-strings.aspx

除了用反引号对冒号进行转义,还可以用 ${}
$domain = $env:USERDOMAIN
$username = $env:USERNAME
"${username}: located in domain ${domain}"COPY

TOP

返回列表