How to split a string by white space or comma?

If I try

"my, tags are, in here".split(" ,")

I get the following

[ 'my, tags are, in here' ]

Whereas I want

['my', 'tags', 'are', 'in', 'here']

Solution 1:

String.split() can also accept a regular expression:

input.split(/[ ,]+/);

This particular regex splits on a sequence of one or more commas or spaces, so that e.g. multiple consecutive spaces or a comma+space sequence do not produce empty elements in the results.

Solution 2:

you can use regex in order to catch any length of white space, and this would be like:

var text = "hoi how     are          you";
var arr = text.split(/\s+/);

console.log(arr) // will result : ["hoi", "how", "are", "you"]

console.log(arr[2]) // will result : "are"