Linuxの 'time'コマンドのように、PowerShellでコマンドの実行時間を計る簡単な方法はありますか?
これを思いつきました:
$s=Get-Date; .\do_something.ps1 ; $e=Get-Date; ($e - $s).TotalSeconds
でももっとシンプルなものが欲しい
time .\do_something.ps1
うん。
Measure-Command { .\do_something.ps1 }
Measure-Commandの欠点の1つは、stdout出力が表示されないことです。出力を表示する場合は、.NET Stopwatchオブジェクトを使用できます。例:
$sw = [Diagnostics.Stopwatch]::StartNew()
.\do_something.ps1
$sw.Stop()
$sw.Elapsed
履歴から最後のコマンドを取得し、EndExecutionTime
からStartExecutionTime
を減算することもできます。
.\do_something.ps1
$command = Get-History -Count 1
$command.EndExecutionTime - $command.StartExecutionTime
Measure-Command
を使用
例
Measure-Command { <your command here> | Out-Host }
Out-Host
へのパイプを使用すると、コマンドの出力を確認できます。それ以外の場合は、Measure-Command
によって消費されます。
シンプル
function time($block) {
$sw = [Diagnostics.Stopwatch]::StartNew()
&$block
$sw.Stop()
$sw.Elapsed
}
その後として使用することができます
time { .\some_command }
出力を微調整することができます
Unixのtime
コマンドと同様に機能する、私が書いた関数を次に示します。
function time {
Param(
[Parameter(Mandatory=$true)]
[string]$command,
[switch]$quiet = $false
)
$start = Get-Date
try {
if ( -not $quiet ) {
iex $command | Write-Host
} else {
iex $command > $null
}
} finally {
$(Get-Date) - $start
}
}
ソース: https://Gist.github.com/bender-the-greatest/741f696d965ed9728dc6287bdd336874
ストップウォッチの使用と経過時間のフォーマット:
Function FormatElapsedTime($ts)
{
$elapsedTime = ""
if ( $ts.Minutes -gt 0 )
{
$elapsedTime = [string]::Format( "{0:00} min. {1:00}.{2:00} sec.", $ts.Minutes, $ts.Seconds, $ts.Milliseconds / 10 );
}
else
{
$elapsedTime = [string]::Format( "{0:00}.{1:00} sec.", $ts.Seconds, $ts.Milliseconds / 10 );
}
if ($ts.Hours -eq 0 -and $ts.Minutes -eq 0 -and $ts.Seconds -eq 0)
{
$elapsedTime = [string]::Format("{0:00} ms.", $ts.Milliseconds);
}
if ($ts.Milliseconds -eq 0)
{
$elapsedTime = [string]::Format("{0} ms", $ts.TotalMilliseconds);
}
return $elapsedTime
}
Function StepTimeBlock($step, $block)
{
Write-Host "`r`n*****"
Write-Host $step
Write-Host "`r`n*****"
$sw = [Diagnostics.Stopwatch]::StartNew()
&$block
$sw.Stop()
$time = $sw.Elapsed
$formatTime = FormatElapsedTime $time
Write-Host "`r`n`t=====> $step took $formatTime"
}
使用サンプル
StepTimeBlock ("Publish {0} Reports" -f $Script:ArrayReportsList.Count) {
$Script:ArrayReportsList | % { Publish-Report $WebServiceSSRSRDL $_ $CarpetaReports $CarpetaDataSources $Script:datasourceReport };
}
StepTimeBlock ("My Process") { .\do_something.ps1 }
Measure-Command {echo "Good morning World!" | Write-Host}
ソース- https://github.com/PowerShell/PowerShell/issues/2289#issuecomment-247793839