admin管理员组

文章数量:1345906

/^[^ ]([\w- \.\\\/&#]+)[^ ]$/,

I have the above regex. I want to make sure it accepts all special characters but i don't want to specify the entire special character listsuch as [\w- \.\\\/&#!@#$&]. How can we make sure the above regex accepts all special characters

/^[^ ]([\w- \.\\\/&#]+)[^ ]$/,

I have the above regex. I want to make sure it accepts all special characters but i don't want to specify the entire special character listsuch as [\w- \.\\\/&#!@#$&]. How can we make sure the above regex accepts all special characters

Share Improve this question asked Feb 15, 2012 at 20:37 SomeoneSomeone 10.6k23 gold badges71 silver badges101 bronze badges 2
  • 5 How do you define special characters? – rid Commented Feb 15, 2012 at 20:38
  • We would probably give the most useful regexes if we had a sample line to match. As is, I believe /^[^ ](.+)[^ ]$/ is the best match thus far, since all we have to work with is the 'spirit' of your example: allow all characters, matches the start and end of the line but does not have leading and trailing spaces. – hexparrot Commented Feb 15, 2012 at 20:58
Add a ment  | 

3 Answers 3

Reset to default 7

[^\w\s] matches any non-alphanumeric and non-whitespace character.

\S matches any non-whitespace character.

. matches any character except newlines.

[\S\s] matches any character in a JavaScript regex.

Since you've got \w and a space in there already, you must want all of the ASCII characters except control characters. That would be:

[ -~]

...or any character whose code point is in the range U+0020 (space) to U+007E (tilde). But it looks like you want to make sure the first and last characters are not whitespace. In fact, looking at your previous question, I'll assume you want only letters or digits in those positions. This would work:

/^[A-Za-z0-9][ -~]*[A-Za-z0-9]$/

...but that requires the string to be at least two characters long. To allow for a single-character string, change it to this:

/^[A-Za-z0-9](?:[ -~]*[A-Za-z0-9])?$/

In other words, if there's only one character, it must be a letter or digit. If there are two or more characters, the first and last must letters or digits, while the rest can be any printing character--i.e., a letter, a digit, a "special" (punctuation) character, or a space.

Note that this only matches ASCII characters, not accented Latin letters like  or ë, or symbols from other alphabets or writing systems.

. matches any character except for newline.

本文标签: javascriptHow to make the below regex to accept any special characterStack Overflow