Skip to main content

PowerShell script to read user input from a visual input box.

##############################################################################
##
## Read-InputBox
##
## From Windows PowerShell Cookbook (O'Reilly)
## by Lee Holmes (http://www.leeholmes.com/guide)
##
##############################################################################

<#

.SYNOPSIS

    Read user input from a visual InputBox.

.EXAMPLE

    PS > $caption = "Please enter your name"
    PS > $name = Read-InputBox $caption

#>

param(
    ## The title of the dialog when displayed
    [string] $Title = "Input Dialog"
)

Set-StrictMode -Version 3

## Load the Windows Forms assembly
Add-Type -Assembly System.Windows.Forms

## Create the main form
$form = New-Object Windows.Forms.Form
$form.Size = New-Object Drawing.Size @(400,100)
$form.FormBorderStyle = "FixedToolWindow"

## Create the listbox to hold the items from the pipeline
$textbox = New-Object Windows.Forms.TextBox
$textbox.Top = 5
$textbox.Left = 5
$textBox.Width = 380
$textbox.Anchor = "Left","Right"
$form.Text = $Title

## Create the button panel to hold the OK and Cancel buttons
$buttonPanel = New-Object Windows.Forms.Panel
$buttonPanel.Size = New-Object Drawing.Size @(400,40)
$buttonPanel.Dock = "Bottom"

## Create the Cancel button, which will anchor to the bottom right
$cancelButton = New-Object Windows.Forms.Button
$cancelButton.Text = "Cancel"
$cancelButton.DialogResult = "Cancel"
$cancelButton.Top = $buttonPanel.Height - $cancelButton.Height - 10
$cancelButton.Left = $buttonPanel.Width - $cancelButton.Width - 10
$cancelButton.Anchor = "Right"

## Create the OK button, which will anchor to the left of Cancel
$okButton = New-Object Windows.Forms.Button
$okButton.Text = "Ok"
$okButton.DialogResult = "Ok"
$okButton.Top = $cancelButton.Top
$okButton.Left = $cancelButton.Left - $okButton.Width - 5
$okButton.Anchor = "Right"

## Add the buttons to the button panel
$buttonPanel.Controls.Add($okButton)
$buttonPanel.Controls.Add($cancelButton)

## Add the button panel and list box to the form, and also set
## the actions for the buttons
$form.Controls.Add($buttonPanel)
$form.Controls.Add($textbox)
$form.AcceptButton = $okButton
$form.CancelButton = $cancelButton
$form.Add_Shown( { $form.Activate(); $textbox.Focus() } )

## Show the form, and wait for the response
$result = $form.ShowDialog()

## If they pressed OK (or Enter,) go through all the
## checked items and send the corresponding object down the pipeline
if ($result -eq "OK")
{
    $textbox.Text
}