I’m trying to search a specific string like 9.7 in an array using regex test method, but, it’s returning values that contains 1984, 1987 in the same row and also 9.7 rows.
JavaScript
x
15
15
1
searchText= '9.7';
2
items = [ {description: "MERCEDES BENZ L 1519 - OM 355/5 9.7 L 10V SOHV L5 1973 1987"}, {description: "MERCEDES BENZ LB 2219 - OM 355/5 9.7 L 10V SOHV L5 1973 1980"}, {description: "MERCEDES BENZ LS 1932 - OM 355/6 LA 11.6 L 12V SOHV L6 1984 1987"}, {description: "MERCEDES BENZ O 370 RSD OM 355/5 11.6 L 10V SOHV L5 1985 1987"} ]
3
4
let returnArray = [],
5
splitText = searchText.toLowerCase().split(/s+/),
6
regexp_and = '(?=.*' + splitText.join(')(?=.*') + ')',
7
re = new RegExp(regexp_and, 'i');
8
9
for (let x = 0; x < items.length; x++) {
10
if (re.test(items[x][field])) {
11
returnArray.push(items[x]);
12
}
13
}
14
return returnArray;
15
Expected output:
JavaScript
1
2
1
array = [ {description: "MERCEDES BENZ L 1519 - OM 355/5 9.7 L 10V SOHV L5 1973 1987"}, {description: "MERCEDES BENZ LB 2219 - OM 355/5 9.7 L 10V SOHV L5 1973 1980"}]
2
Could anyone help me? Thanks.
Advertisement
Answer
The .
is a special char meaning any character. So when your search string contains it you need to escape it or it will be treated like the wildcard.
use
JavaScript
1
5
1
const splitText = searchText
2
.toLowerCase()
3
.split(/s+/)
4
.map(token=>token.replace(/./g,'\.'));
5
but keep in mind that this might happen with other special characters
JavaScript
1
27
27
1
const searchText = '9.7';
2
const items = [{
3
description: "MERCEDES BENZ L 1519 - OM 355/5 9.7 L 10V SOHV L5 1973 1987"
4
}, {
5
description: "MERCEDES BENZ LB 2219 - OM 355/5 9.7 L 10V SOHV L5 1973 1980"
6
}, {
7
description: "MERCEDES BENZ LS 1932 - OM 355/6 LA 11.6 L 12V SOHV L6 1984 1987"
8
}, {
9
description: "MERCEDES BENZ O 370 RSD OM 355/5 11.6 L 10V SOHV L5 1985 1987"
10
}];
11
12
const returnArray = [];
13
const splitText = searchText
14
.toLowerCase()
15
.split(/s+/)
16
.map(token => token.replace(/./g, '\.'));
17
const regexp_and = '(?=.*' + splitText.join(')(?=.*') + ')';
18
const re = new RegExp(regexp_and, 'i');
19
const field = 'description';
20
21
for (let x = 0; x < items.length; x++) {
22
if (re.test(items[x][field])) {
23
returnArray.push(items[x]);
24
}
25
}
26
27
console.log(returnArray);