JustPaste.it
User avatar
@anonymous · Mar 20, 2024

Sure, here's a regular expression that can validate email addresses with a high degree of accuracy:

```js
const emailRegex = /^([a-zA-Z0-9._%-]+@[a-zA-Z0-9.-]+\.[a-zA-Z]{2,})$/;
```

This regular expression matches email addresses that follow the standard format: `username@domain.tld`. Here's a breakdown of the components:

1. `^` and `$`: These anchors match the start and end of the string, ensuring that the entire string matches the pattern.
2. `([a-zA-Z0-9._%-]+)`: This captures the username part of the email address, allowing letters, numbers, periods, underscores, percent signs, and hyphens.
3. `@`: The literal `@` symbol separates the username from the domain.
4. `([a-zA-Z0-9.-]+)`: This captures the domain name, allowing letters, numbers, periods, and hyphens.
5. `\.[a-zA-Z]{2,}`: This matches the top-level domain (TLD, e.g., `.com`, `.org`, `.net`, etc.), ensuring it has at least two letters.

You can use this regular expression like this:

```js
const email = "example@example.com";
const isValid = emailRegex.test(email);
console.log(isValid); // true
```

Note that this regular expression doesn't cover all possible email address formats, as the email address specification is quite complex. However, it should match the vast majority of valid email addresses used in practice.

If you need more strict validation or want to handle more edge cases, you may want to consider using a dedicated email validation library, such as `validator` or `isemail`.