How to separate letters and digits from a string in php How to separate letters and digits from a string in php php php

How to separate letters and digits from a string in php


$numbers = preg_replace('/[^0-9]/', '', $str);$letters = preg_replace('/[^a-zA-Z]/', '', $str);


You can make use of preg_split to split your string at the point which is preceded by digit and is followed by letters as:

$arr = preg_split('/(?<=[0-9])(?=[a-z]+)/i',$str);

Code in Action

<?php$str = '12jan';$arr = preg_split('/(?<=[0-9])(?=[a-z]+)/i',$str);                                                               print_r($arr);

Result:

Array(    [0] => 12    [1] => jan)


preg_match_all('/^(\d+)(\w+)$/', $str, $matches);var_dump($matches);$day = $matches[1][0];$month = $matches[2][0];

Of course, this only works when your strings are exactly as described "abc123" (with no whitespace appended or prepended).

If you want to get all numbers and characters, you can do it with one regex.

preg_match_all('/(\d)|(\w)/', $str, $matches);$numbers = implode($matches[1]);$letters = implode($matches[2]);var_dump($numbers, $letters);

See it!