I've searched for hours. How can I separate a string by a "\"
I need to separate HORSE\COW into two words and lose the backslash.
I've searched for hours. How can I separate a string by a "\"
I need to separate HORSE\COW into two words and lose the backslash.
$array = explode("\\",$string);
This will give you an array, for "HORSE\COW"
it will give $array[0] = "HORSE"
and $array[1] = "COW"
. With "HORSE\COW\CHICKEN"
, $array[2]
would be "CHICKEN"
Since backslashes are the escape character, they must be escaped by another backslash.
"HORSE\\COW"
–
Yeorgi You would use explode()
and escape the escape character (\
).
$str = 'HORSE\COW';
$parts = explode('\\', $str);
var_dump($parts);
array(2) {
[0]=>
string(5) "HORSE"
[1]=>
string(3) "COW"
}
Just explode()
it:
$text = 'foo\bar';
print_r(explode('\\', $text)); // You have to backslash your
// backslash. It's used for
// escaping things, so you
// have to be careful when
// using it in strings.
A backslash is used for escaping quotes and denoting special characters:
\n
is a new line.\t
is a tab character.\"
is a quotation mark. You have to escape it, or PHP will read it as the end of a string.\'
same goes for a single quote.\\
is a backslash. Since it's used for escaping other things, you have to escape it. Kinda odd.$text = 'HORSE\COW';
or $text = "HORSE\COW";
? The quotes matter. –
Microscopic © 2022 - 2024 — McMap. All rights reserved.