views:

79

answers:

4

In PHP, how do i convert:

$result = abdcef;

into an array that's:

$result[0] = a;
$result[1] = b;
$result[2] = c;
$result[3] = d;
+5  A: 

You will want to use str_split().

$result = str_split('abcdef');

http://us2.php.net/manual/en/function.str-split.php

dusk
Thank You!!! :)
AJ
+1  A: 
$result = "abcdef";
$result = str_split($result);

There is also an optional parameter on the str_split function to split into chunks of x characters.

Gazler
A: 

You can use the str_split() function:

$value = "abcdef";
$array = str_split($value);

If you wish to divide the string into array values of different amounts you can specify the second parameter:

$array = str_split($value, 2);

The above will split your string into an array in chunks of two.

Chaim Chaikin
+1  A: 

Don't know if you're aware of this already, but you may not need to do anything (depending on what you're trying to do).

$string = "abcdef";
echo $string[1];
//Outputs "b"

So you can access it like an array without any faffing if you just need something simple.

BT643