Microsoft provides programming examples for illustration only, without warranty either expressed or implied. This includes, but is not limited to, the implied warranties of merchantability or fitness for a particular purpose. This article assumes that you are familiar with the programming language that is being demonstrated and with the tools that are used to create and to debug procedures. Microsoft support engineers can help explain the functionality of a particular procedure, but they will not modify these examples to provide added functionality or construct procedures to meet your specific requirements.
The following examples display an input box that asks you for a number.
When you enter a number and press ENTER or click
OK, the number is written to cell A1 in the first worksheet of the active workbook. If you enter text, an error message appears and the box continues to be displayed. If you decide not to enter anything, you can click
Cancel and the box is dismissed.
InputBox Method
In the following example, the "1" just before the closing parenthesis
indicates that only numbers are accepted by the input box. If you enter
anything else, such as text or a formula, the
InputBox method displays an error message. The macro uses the
If statement to see if
Cancel is clicked. If
Cancel is not clicked, the macro writes the entered value to cell A1 on the first worksheet.
Sub Using_InputBox_Method()
Dim Response As Integer
' Run the Input Box.
Response = Application.InputBox("Enter a number.", _
"Number Entry", , 250, 75, "", , 1)
' Check to see if Cancel was pressed.
If Response <> False Then
' If not, write the number to the first cell in the first sheet.
Worksheets(1).Range("a1").Value = Response
End If
End Sub
The Input Box Function
In the example below, a series of
If statements is used to check the entry. The
InputBox is inside a
While loop to allow it to be re-shown if an error occurs. If all the conditions are true, the entered number is written to cell A1 on the first worksheet and the loop is ended.
Sub Using_InputBox_Function()
Dim Show_Box As Boolean
Dim Response As Variant
' Set the Show_Dialog variable to True.
Show_Box = True
' Begin While loop.
While Show_Box = True
' Show the input box.
Response = InputBox("Enter a number.", _
"Number Entry", , 250, 75)
' See if Cancel was pressed.
If Response = "" Then
' If Cancel was pressed,
' break out of the loop.
Show_Box = False
Else
' Test Entry to find out if it is numeric.
If IsNumeric(Response) = True Then
' Write the number to the first
' cell in the first sheet in the active
' workbook.
Worksheets(1).Range("a1").Value = Response
Show_Box = False
Else
' If the entry was wrong, show an error message.
MsgBox "Please Enter Numbers Only"
End If
End If
' End the While loop.
Wend
End Sub
After you run the macro, the number you entered into the input box is in cell A1 on Sheet1.