Split A String By Empty Space In PHP
Code snippet for how to Split A String By Empty Space In PHP with sample and detail explanation
Understanding how to manipulate strings is essential when programming in PHP. This article will guide you on how to split a string by empty space using PHP and explain each step in a simple approach.
Code snippet: Splitting a string by empty space in PHP
Here’s a quick snippet showing how one might split a string by empty spaces in PHP:
<?php
$string = "Split a string by empty space";
$split_string = explode(" ", $string);
print_r($split_string);
?>
Code Explanation for Splitting a string by empty space in PHP
The code above is a simple way of splitting a string by empty spaces in PHP. It follows three main steps - declaring the string, splitting the string, and printing the result. Let’s break it down:
-
$string = "Split a string by empty space";
- Here, we are declaring a string variable named$string
which contains the text “Split a string by empty space”. -
$split_string = explode(" ", $string);
- Theexplode()
function is a built-in PHP function that is used for splitting strings. The first argument it takes is the delimiter (separator), in this case, an empty space ” ”, and the second argument is the string you want to split. This function will split our string wherever an empty space is encountered and store the result in the$split_string
array. -
print_r($split_string);
-print_r()
is another built-in PHP function that prints the content of a variable in a human-readable format. In our case, it prints the elements of the$split_string
array, which are the words derived from splitting the original string.
And that’s it! With the help of the explode() function, you can easily split any string by empty space in PHP. Remember to replace the $string
variable with your desired string you want to split. Happy coding!