I am trying to convert a numbered list into an array of items. This is what I have so far:
JavaScript
x
5
1
let input = `1. This is a textn where each item can span over multiple linesn 1.1 this is another itemn 1.2another itemn 2. that I want ton extract each seperaten item fromn 3. How can I do that?`;
2
3
let regex = /(d+.d+|d+)s(.*)/g;
4
let matches = input.match(regex);
5
console.log(matches);
This only produces the following output:
JavaScript
1
2
1
"1.1 this is another item"
2
What I would like is something like this:
JavaScript
1
5
1
"1. This is a text"
2
"1.1 this is another item"
3
"1.2another item"
4
and so on
5
Why is it matching only one item out of this string? What am I doing wrong and how can I fix it?
Advertisement
Answer
Your regex does not foresee a dot after a number when there is no second number following it. It also requires a space after the number, but you have a case where there is no such space. So make it optional.
Also, use the s
modified so .
also matches newline cha
If a new item can start on the same line, you’ll need a look-ahead to foresee where a match must end.
Correction:
JavaScript
1
5
1
let input = `1. This is a textn where each item can span over multiple linesn 1.1 this is another itemn 1.2another itemn 2. that I want ton extract each seperaten item fromn 3. How can I do that?`;
2
3
let regex = /(d+.d*)s?(.*?)(?=d+.|$)/gs;
4
let matches = input.match(regex);
5
console.log(matches);