Capture and serialize all PowerShell output streams in Node.js using RxJS or Promises.
npm install full-powershellWrite-Output |
Write-Error |
Write-Warning |
Write-Verbose |
Write-Debug |
Write-Information Write-Host |
PowerShell class.typescript
class PowerShell {
constructor(private options?: PowerShellOptions);
success$: Subject();
error$: Subject();
warning$: Subject();
verbose$: Subject();
debug$: Subject();
info$: Subject();
call(command: string, format: Format = 'json'): SubjectWithPromise;
destroy(): SubjectWithPromise;
}
`
_Note: The SubjectWithPromise object returned by call() will only emit the value returned by the command passed to call(). Use the streams postfixed with $ to listen to output from all calls made to that PowerShell instance._
The
PowerShellStreams object.
Emittied by the returned from .call().subscribe() or .call().promise().
`typescript
interface PowerShellStreams {
success: any[];
error: any[];
warning: any[];
verbose: any[];
debug: any[];
info: any[];
}
`
The subjects exposed by the PowerShell class, as well as the singleton observable/promise returned by PowerShell.call all return arrays of strings or parsed JSON. It's important to note that these arrays reflect the output for each PowerShell command passed to PowerShell.call. For example, if you were to call PowerShell.call('Get-Date; Get-Date;'), you should expect to receive an Array containing two items in the next emission's success stream. However, there are exceptions to this - debug and verbose are newline delimited due to limitations of PowerShell redirection. While they will generally equate to one string per Write-Debug or Write-Verbose, it is up to you to ensure output has not been broken into multiple lines.
Importing:
ES6
`typescript
import { PowerShell } from 'full-powershell';
`
CommonJS
`javascript
const { PowerShell } = require('full-powershell');
`
Instantiating:
`typescript
const shell = new PowerShell();
`
Options:
`typescript
interface PowerShellOptions {
tmp_dir?: string
exe_path?: string
timeout?: number
verbose?: boolean
debug?: boolean
}
`
- tmp_dir - _Default: current directory_ Change the path for ephemeral '.tmp' files. Must have a trailing slash. (Must be set to /tmp/ when executing on AWS Lambda).
- exe_path - _Default: powershell for windows, pwsh for nix_. Explicitly set the path or command name for the PowerShell executable (example: 'pwsh' or 'C:\\Program Files\\PowerShell\\7\\pwsh.exe')
- timeout - _Default: 10 minutes_. Set number of milliseconds before each call to this shell will timeout. Warning: A timeout will result in the PowerShell child process being terminated and a new process created, any pending calls will be errored and PowerShell context will be lost.
- verbose - _Default: true_ Optionally disable verbose output (this may improve performance as capturing verbose requires writing to disk)
- debug - _Default: true_ Optionally disable debug output (this may improve performance as capturing debug requires writing to disk)
Example:
`typescript
const options: PowerShellOptions = {
tmp_dir: '/tmp/'
exe_path: 'pwsh',
timeout: 60000
}
const shell = new PowerShell(options);
`
Executing PowerShell Commands:
The call method accepts a PowerShell command as a string, and an optional Format parameter. Use the format parameter to change how command output is serialised before returing it from PowerShell.
`typescript
type Format = 'string' | 'json' | null;
shell.call(command: string, format: Format = 'json')
`
The call method returns an SubjectWithPromise object that provides two methods for handling the response:
- subscribe - an RxJS Subject
- promise - a standard JavaScript promise
Subscribing to the RxJS Subject:
Subscribe directly to a call by calling subscribe() on the returned object (observable will complete after first emission):
`typescript
shell.call('My-Command')
.subscribe(
(res: PowerShellStreams) => {
/ result handler /
},
(err: Error) => {
/ error handler /
}
);
`
Async/Await:
The object returned by the call method also exposes a function called promise() which returns a promise instead of a subscription.
`typescript
const { success, error, warning } = await shell.call('My-Command').promise();
`
Subscribing to all events:
In addition to subscribing/awaiting to individual calls, you can subscribe to the message streams individually. These Subscriptions will emit the results of all calls made to the instance. This may be useful for logging.
`typescript
const shell = new PowerShell();
shell.success$
.subscribe(
(res: Array) => {
/ result handler /
},
(err: Error) => {
/ error handler /
}
);
shell.error$.subscribe( / same as success$ /);
shell.warning$.subscribe( / same as success$ /);
shell.verbose$.subscribe( / same as success$ /);
shell.debug$.subscribe( / same as success$ /);
shell.info$.subscribe( / same as success$ /);
`
Closing the Child Process:
It's important to signal when you are finished with the instance, otherwise your program might not exit gracefully. You should also wait for this task to complete.
`typescript
shell.destroy().subscribe((destroyed: boolean) => { /.../ });
`
or
`typescript
const destroyed: boolean = await shell.destroy().promise();
``