Reputation: 36574
I want to break a string according to the following rules:
.
) must be treated as one part1
and 2
must be treated as different partsFor example this string:
Method(hierarchy.of.properties) = ?
Should return this array:
Array
(
[0] => Method
[1] => (
[2] => hierarchy.of.properties
[3] => )
[4] => =
[5] => ?
)
I was unsuccessful with preg_split()
, as AFAIK it cannot treat the pattern as an element to be returned.
Any idea for a simple way to do this?
Upvotes: 2
Views: 181
Reputation: 8334
This should do what you want:
$matches = array();
$string = "Method(hierarchy.of.properties) = ?";
foreach(preg_split('/(12|[^a-zA-Z0-9.])/', $string, 0, PREG_SPLIT_DELIM_CAPTURE | PREG_SPLIT_NO_EMPTY) as $match) {
if (trim($match) != '')
$matches[] = $match;
}
I used a loop to remove all whitespace matches, since as far as I know there isn't a feature in preg_split() to that for you.
Upvotes: 0
Reputation: 2448
You probably should use preg_match_all over preg_split.
preg_match_all('/[\w|\.]+|[^\w\s]+/', $string, $matches);
print_r($matches);
Output:
Array
(
[0] => Array
(
[0] => Method
[1] => (
[2] => hierarchy.of.properties
[3] => )
[4] => =
[5] => ?
)
)
Upvotes: 3