Is it possible to make a JavaScript regex reject null matches?
Can the String.split() method be told to reject null values?
console.log("abcccab".split("c"));
//result: ["ab", "", "", "ab"]
//desired result: ["ab", "ab"]
-
While I was testing this I came across a partial answer on accident:
console.log("abccacaab".split(/c+/));
//returns: ["ab", "a", "aab"]
But, a problem arises when the match is at the start:
console.log("abccacaab".split(/a+/));
//returns: ["", "bcc", "c", "b"]
// ^^
Is there a clean answer? Or do we just have to deal with it?
asked May 22, 2013 at 20:47
Isaac
11.8k5 gold badges36 silver badges45 bronze badges
2 Answers 2
This isn't precisely a regex solution, but a filter would make quick work of it.
"abcccab".split("c").filter(Boolean);
This will filter out the falsey "" values.
Sign up to request clarification or add additional context in comments.
2 Comments
Isaac
I feel like I've been stealing all your rep! stackoverflow.com/questions/19888689/…
Trim the matches from the ends of the string before you split:
console.log("abccacaab".replace(/^a+|a+$/g, '').split(/a+/));
// ["bcc", "c", "b"]
answered May 22, 2013 at 20:52
Paul
142k28 gold badges285 silver badges272 bronze badges
lang-js
c?