Johannes
Johannes

Reputation: 599

Regex, get string value between two characters

I'd like to return string between two characters, @ and dot (.).

I tried to use regex but cannot find it working.

(@(.*?).)

Anybody?

Upvotes: 20

Views: 51367

Answers (4)

Dièse
Dièse

Reputation: 41

this is the best and fast to use

function get_string_between ($str,$from,$to) {

    $string = substr($str, strpos($str, $from) + strlen($from));

    if (strstr ($string,$to,TRUE) != FALSE) {

        $string = strstr ($string,$to,TRUE);

    }

    return $string;

}

Upvotes: 4

Geert
Geert

Reputation: 1804

If you're learning regex, you may want to analyse those too:

@\K[^.]++(?=\.)

(?<=@)[^.]++(?=\.)

Both these regular expressions use possessive quantifiers (++). Use them whenever you can, to prevent needless backtracking. Also, by using lookaround constructions (or \K), we can match the part between the @ and the . in $matches[0].

Upvotes: 3

Mark Byers
Mark Byers

Reputation: 839114

Your regular expression almost works, you just forgot to escape the period. Also, in PHP you need delimiters:

'/@(.*?)\./s'

The s is the DOTALL modifier.

Here's a complete example of how you could use it in PHP:

$s = '[email protected]';
$matches = array();
$t = preg_match('/@(.*?)\./s', $s, $matches);
print_r($matches[1]);

Output:

bar

Upvotes: 39

Gumbo
Gumbo

Reputation: 655745

Try this regular expression:

@([^.]*)\.

The expression [^.]* will match any number of any character other than the dot. And the plain dot needs to be escaped as it’s a special character.

Upvotes: 11

Related Questions