31

I'm trying to use regex to check that the first and last characters in a string are alpha characters between a-z.

I know this matches the first character:

/^[a-z]/i

But how do I then check for the last character as well?

This:

/^[a-z][a-z]$/i

does not work. And I suspect there should be something in between the two clauses, but I don't know what!

Peter Mortensen
  • 30,738
  • 21
  • 105
  • 131
Jason
  • 335
  • 1
  • 3
  • 6

5 Answers5

61

The below regex will match the strings that start and end with an alpha character.

/^[a-z].*[a-z]$/igm

The a string also starts and ends with an alpha character, right? Then you have to use the below regex.

/^[a-z](.*[a-z])?$/igm

DEMO

Explanation:

^             #  Represents beginning of a line
[a-z]         #  Alphabetic character
.*            #  Any character 0 or more times
[a-z]         #  Alphabetic character
$             #  End of a line
i             #  Case-insensitive match
g             #  Global
m             #  Multiline
DanielAttard
  • 3,467
  • 9
  • 55
  • 104
Avinash Raj
  • 172,303
  • 28
  • 230
  • 274
11

You can do it as follows to check for the first and last characters and then anything in between:

/^[a-z].*[a-z]$/im

DEMO

sshashank124
  • 31,495
  • 9
  • 67
  • 76
2

You can use this:

/^.|.$/gim

it matches with first and last character

Lajos Arpad
  • 64,414
  • 37
  • 100
  • 175
pazzazzo
  • 84
  • 3
1
 var str = "Regular";
//following code should return true as first and last characters are same
var re = /(^[a-zA-Z])(.*)\1$/gi;

console.log(re.test(str); //true

Match 1 : Regular
Group 1 : (^[a-zA-Z]) = R
Group 2 : (.*) = egula
\1$ : Match the same what is caught in group 1 at the end = r
0

put characters in groups like ([group1])([group2])\1. The \1 says the last group matches group 1.

([a-z])([someRegex])\1
Karim Tingdis
  • 180
  • 3
  • 7