Reputation: 2650
I'm a newbie to RegEx, and this particular issue is flummoxing me. This is for use with a JavaScript function.
I need to validate an input so that it matches only these criteria:
I can write a pattern easily enough for the first two criteria, but the third one is more difficult. This is the last pattern I managed, but it doesn't seem to work with the test string Farh%%$$+++,
Here's the pattern I'm trying
[ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789\\+\\.\\,\\s]*$
It's failing in that it's letting characters other than those specified in the text field when submitting the form.
Any help would be greatly appreciated.
Upvotes: 43
Views: 143545
Reputation: 385
For validate selector as ID only (according to allowed characters https://www.w3.org/TR/html4/types.html#type-id):
var isValidIdSelector = function (str) {
var regex = new RegExp(/^[A-Za-z][A-Za-z0-9_\-\:\.]*$/gm);
return regex.test(str);
};
Upvotes: 2
Reputation: 53
ng-pattern="/^[a-zA-Z0-9/""\\\]\[:;|=,+*?<>]+$/"
allows: alphanumeric + " / \ [ ] : ; | = , + * ? <>
Upvotes: -4
Reputation: 63126
I just tested this out, and it seems to work at least from my first round testing.
^[a-zA-Z 0-9\.\,\+\-]*$
Upvotes: 67
Reputation: 162771
The dash needs to be first in order not to be interpreted as a range separator. Also, make sure you anchor your regex with a ^ and $ at the beginning and end respectively so that your entire test string gets swallowed by your regex.
/^[-+., A-Za-z0-9]+$/
Upvotes: 18