我正在使用PowerShell ISE(PS版本5.0)。如果我运行此代码:
Write-Host "This"
它输出:
This
如果我这样修改脚本:
Write-Host "That"
它输出:
That
伟大的。如预期的那样。现在,如果我有此代码:
$Form = New-Object System.Windows.Forms.Form
$Timer = New-Object System.Windows.Forms.Timer
$Timer.Add_Tick(
{
&{
Write-Output "Here"
$Form.Close()} | Write-Host
})
$Timer.Interval = 3000
$Timer.start()
$result = $Form.ShowDialog()
它输出:
Here
如果我在脚本中进行了任何更改,例如将
"Here"
转换为"There"
或$Timer.Interval = 3000
转换为$Timer.Interval = 4000
并运行它,它执行了两项意外的操作:1.)不在适当的时间段内显示该表单,而是在屏幕上短暂地闪烁了该表单,并且2.)输出了原始的Here
的There
。如果我关闭ISE并重新打开它,脚本将按预期运行。到底是怎么回事?
最佳答案
tl;博士:
您的代码永远不会丢弃(或禁用)计时器,因此:
这就解释了您的症状:排队的原始事件在您再次显示表单后立即立即触发。
解决方案是在计时器完成其职责并触发事件后(一次)处置计时器:
Add-Type -AssemblyName System.Windows.Forms
$Form = New-Object System.Windows.Forms.Form
$Timer = New-Object System.Windows.Forms.Timer
$Timer.Add_Tick({
& {
Write-Output "Here"
$Form.Close()
} | Write-Host
})
$Timer.Interval = 3000
$Timer.Start()
$result = $Form.ShowDialog()
$Timer.Dispose() # IMPORTANT: Dispose of the timer so it won't generate more events.
即使具有上述ISE的隐式采购行为,此代码的重复调用仍可以按预期工作。
关于powershell - 更改代码后,PowerShell ISE有时会出现无法预期的行为,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/44308958/