^[0-9]+(\.[0-9]{1,2})?$
And since regular expressions are horrible to read, much less understand, here is the verbose equivalent:
^ # Start of string.
[0-9]+ # Must have one or more numbers.
( # Begin optional group.
\. # The decimal point, . must be escaped,
# or it is treated as "any character".
[0-9]{1,2} # One or two numbers.
)? # End group, signify it's optional with ?
$ # End of string.
You can replace [0-9]
with \d
in most regular expression implementations (including PCRE, the most common). I've left it as [0-9]
as I think it's easier to read.
Also, here is the simple Python script I used to check it:
import re
deci_num_checker = re.compile("""^[0-9]+(\.[0-9]{1,2})?$""")
valid = ["123.12", "2", "56754", "92929292929292.12", "0.21", "3.1"]
invalid = ["12.1232", "2.23332", "e666.76"]
assert len([deci_num_checker.match(x) != None for x in valid]) == len(valid)
assert [deci_num_checker.match(x) == None for x in invalid].count(False) == 0