'Javascript regex on array

I currently have this example array:

array = [1.2%, 16%, 9.0%, 8%]

I want to get the highest number so I did this:

Math.max.apply(null, array);

But it shows an error maybe because of the '%'

How can I filter the array using regex? It's my first time using regex on the array. I already spent more than 2 hours I still don't get it.

Here are my works that did not work:

array = [1.2%, 16%, 9.0%, 8%].match(/[0-9]*\.?[0-9]/);
array = [1.2%, 16%, 9.0%, 8%].replace(/[0-9]*\.?[0-9]/);
array = [1.2%, 16%, 9.0%, 8%].match(/[\d]+/);

Sorry I am new to javascript. Thanks.



Solution 1:[1]

You can map the strings to parseFloat, then the "%" will be ignored:

let array = ["1.2%", "16%", "9.0%", "8%"];

let result = Math.max(...array.map(parseFloat));

console.log(result);

NB: I used the spread syntax here instead of apply, just because that is the more modern way to write it (since EcmaScript 2015).

Solution 2:[2]

First of all, the % symbol isn't valid on a number, so you probably want to strip that first (your array elements will be strings, actually):

const array = ['1.2%', '16%', '9.0%', '8%'];
const floats = array.map(e => parseFloat(e.replace('%', ''));

Now you have an array of floating numbers, so you can now find out the biggest number:

const biggest = Math.max(...floats);
console.log(biggest);

Solution 3:[3]

You won't need regular expressions at all:

Math.max(...['1.2%', '16%', '9.0%', '8%'].map(e => parseFloat(e)).sort());
// or maybe add the '%' if that's what you're after
Math.max(...['1.2%', '16%', '9.0%', '8%'].map(e => parseFloat(e)).sort()) + '%';

Sources

This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.

Source: Stack Overflow

Solution Source
Solution 1 trincot
Solution 2 Magd Kudama
Solution 3 Dieter Raber