I am looking for a regular expression for matching that contains no white space in between text but it may or may not have white space at start or end of text.
\s is the regex character for whitespace. It matches spaces, new lines, carriage returns, and tabs.
The \S metacharacter matches non-whitespace characters. Whitespace characters can be: A space character. A tab character. A carriage return character.
Turn on free-spacing mode to ignore whitespace between regex tokens and allow # comments, both inside and outside character classes.
A regex to match a string that does not contain only whitespace characters can be written in two ways. The first involves using wildcards (.) and the non-whitespace character set (\S), while the other one involves a positive lookahead to check that the string contains at least one non-whitespace character (\S).
You want something like this: (see it in action on rubular.com):
^\s*\S+\s*$
Explanation:
^
is the beginning of the string anchor$
is the end of the string anchor\s
is the character class for whitespace\S
is the negation of \s
(note the upper and lower case difference)*
is "zero-or-more" repetition+
is "one-or-more" repetitionThe above pattern does NOT match, say, an empty string. The original specification isn't very clear if this is the intended behavior, but if an empty "text" is allowed, then simply use \S*
instead, i.e. match zero-or-more (instead of one-or-more) repetition of \S
.
Thus, this pattern (same as above except *
is used instead of +
)
^\s*\S*\s*$
will match:
The above patterns use \S
to define the "text" characters, i.e. anything but whitespace. This includes things like punctuations and symbols, i.e. the string " #@^$^* "
matches both patterns. It's not clear if this is the desired behavior, i.e. it's possible that " ==== AWESOMENESS ==== "
is a desired match
The pattern still works even for this case, we simply need to be more specific with our character class definitions.
For example, this pattern:
/^[^a-z]*[a-z]*[^a-z]*$/i
Will match (as seen on rubular.com):
==== AWESOMENESS ====
But not:
==== NOT AWESOME ====
Note that the ^
metacharacter, when used as the first character in a character class definition, no longer means the beginning of the string anchor, but rather a negation of the character class definition.
Note also the use of the /i
modifier in the pattern: this enables case insensitive matching. The actual syntax may vary between languages/flavors.
java.util.regex.Pattern.CASE_INSENSITIVE
-- embedded flag is (?i)
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With