Question: I am trying to validate email endings in an array
JavaScript
x
10
10
1
let input = 'test@gmail.com' // This is grabbed dynamically but for sake of explanation this works the same
2
3
let validEndings = ['@gmail.com', '@mail.com', '@aol.com'] //and so on
4
5
if(input.endsWith(validEndings)){
6
console.log('valid')
7
}else{
8
console.log('invalid')
9
}
10
I can get this to work when validEndings is just a singular string e.g let validEndings = '@gmail.com'
but not when its in an array comparing multiple things
Advertisement
Answer
You can solve the problem with regex. Example:
JavaScript
1
9
1
const input = 'test@gmail.com';
2
const validEndingsRegex = /@gmail.com$|@mail.com$|@aol.com$/g;
3
const found = input.match(validEndingsRegex);
4
5
if (found !== null) {
6
console.log('valid')
7
} else {
8
console.log('invalid')
9
}