In regular expression, how do I look for matches that start with an @symbol? The symbol cannot be in the middle of a word (link in an email address).
For example, a string that looks like this:
@someone's email is [email protected] and @someoneelse wants to send an email.
The expression I'd use is /^@[\w]/g
It should return:
@someone's
@someoneelse
The expression I use doesn't seem to work.
In regular expression, how do I look for matches that start with an @symbol? The symbol cannot be in the middle of a word (link in an email address).
For example, a string that looks like this:
@someone's email is [email protected] and @someoneelse wants to send an email.
The expression I'd use is /^@[\w]/g
It should return:
@someone's
@someoneelse
The expression I use doesn't seem to work.
Share Improve this question asked Jan 21, 2015 at 2:47 arjay07arjay07 4211 gold badge6 silver badges12 bronze badges 3-
2
Why should it return
@someoneelse
? That is in the middle of the string (which you say you don't want). – Thilo Commented Jan 21, 2015 at 2:49 - I mean, in the middle of a word is what I mean. @Thilo – arjay07 Commented Jan 21, 2015 at 2:49
-
3
well,
^
matches the start of the string. if you don't want to limit to the start of the string, why are you using^
? – Eevee Commented Jan 21, 2015 at 2:51
3 Answers
Reset to default 6You can utilize \B
which is a non-word boundary and is the negated version of \b
.
var s = "@someone's email is [email protected] and @someoneelse wants to send an email.",
r = s.match(/\B@\S+/g);
console.log(r); //=> [ '@someone\'s', '@someoneelse' ]
You can use lodash, if you are using JavaScript.
words function from javascript takes two params. first param is for sentence and the second one is optional. You can pass regex which will find the word with starting letter "@".
import _ from "lodash";
_.words(sentence, /\B@\S+/g);
/(^|\s)@\w+/g
The [\w]
only matches a single word character, so thats why your regex only returns @s
. \w+
will match 1 or more word characters.
If you want to get words at the beginning of the line or inside the string, you can use the capture group (^|\s)
which does either the beginning of the string or a word after a whitespace character.
DEMO
var str="@someone's email is [email protected] and @someoneelse wants to send an email.";
console.log(str.match(/(^|\s)@\w+/g)); //["@someone", " @someoneelse"]