Validating a Zip Code
Many form developers are under pressure to get a new form written in a short timeframe. As a result, they tend to overlook adding simple checks to a field. Or worse, they don't think about the different combinations of valid ways that a user can enter data. Here is a simple example of a prompt that checks a field using both JavaScript and Python.
JavaScript Prompt
Create a JavaScript function that validates
a 5 or 9-digit zip code.
Allow a dash to be part of the zipcode
separating the five and four digits.
Provide six sample test cases and run them.
Note this result uses a regular expression and it includes both positive and negative tests. The first two tests are positive tests of a valid format and the last four are negative tests.
1 2 3 4 5 6 7 8 9 10 11 12 13 |
|
The regular expression ^(\d{5})(-\d{4})?$
explained:
^
asserts the start of the string.(\d{5})
matches exactly 5 digits.(-\d{4})?
is an optional group that matches a dash followed by exactly 4 digits. The?
makes this group optional.$
asserts the end of the string.
This way, the regex matches a string that either consists of exactly 5 digits or exactly 5 digits, a dash, and then exactly 4 more digits.
To run the JavaScript code including the test cases, you would typically do so in a JavaScript environment like a web browser's developer console or a Node.js environment. Since I can't execute JavaScript code directly in this environment, please try running the provided code snippet in your preferred JavaScript runtime to see the test cases in action.
Python Example
Create a Python function that validates
a 5 or 9-digit zip code.
Allow a dash to be part of the zipcode
separating the five and four digits.
Provide six sample test cases and run them.
Sample Response
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 |
|
1 2 3 4 5 6 7 |
|