Question:
I have a foreach loop inside my powershell script with prints $output on the shell during each iteration. There are lot many outputs and the number of entries that the shell can display is limited. I am looking to export the output to a text file. I know how to do it in command line. How is it possible in a powershell though?
FYI, I am using a batch script from the command line to run the powershell script as
1 2 |
powershell c:\test.ps1 c:\log.log |
Answer:
You can always redirect the output an exe to a file like so (even from cmd.exe):
1 2 |
powershell c:\test.ps1 > c:\test.log |
Within PowerShell, you can also redirect individual commands to file but in those cases you probably want to append to the log file rather than overwrite it e.g.:
1 2 3 4 5 6 7 |
$logFile = 'c:\temp\test.log' "Executing script $($MyInvocation.MyCommand.Path)" > $logFile foreach ($proc in Get-Process) { $proc.Name >> $logFile } "Another log message here" >> $logFile |
As you can see, doing the redirection within the script is a bit of a pain because you have to do lots of redirects to file. OTOH, if you only want to redirect part of the output to file then you have more control this way. Another option is to use Write-Host
to output info to the console meant for someone observing the results of the script execution. Note that Write-Host
output cannot be redirected to file.
This is an example executed from CMD.exe
1 2 3 4 5 6 7 8 9 10 |
C:\Temp>type test.ps1 $OFS = ', ' "Output from $($MyInvocation.MyCommand.Path). Args are: $args" C:\Temp>powershell.exe -file test.ps1 1 2 a b > test.log C:\Temp>type test.log Setting environment for using Microsoft Visual Studio 2008 Beta2 x64 tools. Output from C:\Temp\test.ps1. Args are: 1, 2, a, b |