You can split
the string on a comma:
let band = "John,Paul,George,Ringo";
let members = band.split(',');
let john = members[0];
let paul = members[1];
let george = members[2];
let ringo = members[3];
This will give you an array called members
which lets you access them using an index either directly or via a loop.
Depending on what browsers/environments you may need to support, you can destructure the array too:
let band = "John,Paul,George,Ringo";
let [john, paul, george, ringo] = band.split(',');
If you want loop over the members:
let band = "John,Paul,George,Ringo";
let members = band.split(',');
for (let i = 0; i < members.length; i++) {
console.log(members[i]);
}
This would loop over all members in the array and log them to console, which you can modify to perform other things on each item in the array.