Currently, I am using /^[a-zA-Z.+-. ']+$/
regex to validate ining strings.
When the ining string is empty or only contains whitespace, I would like the code to throw an error.
How can I check for empty string using regex? I found some solutions but none are helpful.
Currently, I am using /^[a-zA-Z.+-. ']+$/
regex to validate ining strings.
When the ining string is empty or only contains whitespace, I would like the code to throw an error.
How can I check for empty string using regex? I found some solutions but none are helpful.
Share Improve this question edited Aug 8, 2017 at 14:15 Sparky 98.8k26 gold badges202 silver badges290 bronze badges asked Aug 8, 2017 at 11:38 HarshaHarsha 2391 gold badge2 silver badges10 bronze badges 2-
if(string.match(/^\s?=*$/g).length > 0) // Not valid
– Starfish Commented Aug 8, 2017 at 11:44 - Please don't use the jQuery Validate tag when the code in this question has nothing to do with this plugin. Edited. Thanks. – Sparky Commented Aug 8, 2017 at 14:16
3 Answers
Reset to default 4You may use
/^(?! *$)[a-zA-Z.+ '-]+$/
Or - to match any whitespace
/^(?!\s*$)[a-zA-Z.+\s'-]+$/
The (?!\s*$)
negative lookahead will fail the match if the string is empty or only contains whitespace.
Pattern details
^
- start of string(?!\s*$)
- no empty string or whitespaces only in the string[a-zA-Z.+\s'-]+
- 1 or more letters,.
,+
, whitespace,'
or-
chars$
- end of string.
Note that actually, you may also use (?!\s+)
lookahead here, since your pattern does not match an empty string due to the +
quantifier at the end.
Check if the string is empty or not using the following regex:
/^ *$/
The regex above matches the start of the string (^
), then any number of spaces (*
), then the end of the string ($
). If you would instead like to match ANY white space (tabs, etc.), you can use \s*
instead of *
, making the regex the following:
/^\s*$/
To check for empty or whitespace-only strings you can use this regex: /^\s*$/
Example:
function IsEmptyOrWhiteSpace(str) {
return (str.match(/^\s*$/) || []).length > 0;
}
var str1 = "";
var str2 = " ";
var str3 = "a b";
console.log(IsEmptyOrWhiteSpace(str1)); // true
console.log(IsEmptyOrWhiteSpace(str2)); // true
console.log(IsEmptyOrWhiteSpace(str3)); // false