Home > Article > Backend Development > How to convert array type string to string in php
In PHP, arrays and strings are two different data types. Sometimes when converting an array to a string, we need to perform special processing on it. In this article, we will explain how to convert array type string to string.
First, let us understand what an array type string is. In PHP, if we serialize an array using the serialize()
function, the result is an array type string. This string contains information about all array elements, but it is not a standard JSON format string, nor is it an ordinary comma-separated string.
Next, let’s take a look at an example array:
$myArray = array( "name" => "John", "age" => 30, "email" => "john@example.com" );
If we serialize this array using the serialize()
function, the result will be the following String:
a:3:{s:4:"name";s:4:"John";s:3:"age";i:30;s:5:"email";s:17:"john@example.com";}
As you can see, this string contains a character a
, indicating that this is an array type string. The following numbers 3
indicate that this array contains three elements. Next, we can see that the key and value of each element are contained in a set of characters. In this example, the first element has the key name
and the value John
.
Now, our goal is to convert this array type string into a normal string and keep its original format. We can use the unserialize()
function to achieve this. The following is a sample code:
$myString = 'a:3:{s:4:"name";s:4:"John";s:3:"age";i:30;s:5:"email";s:17:"john@example.com";}'; $myArray = unserialize($myString); $newString = ''; foreach($myArray as $key => $value) { $newString .= $key . ': ' . $value . "\n"; } echo $newString;
In the above code, we first define a $myString
variable, which is an array type string. We then use the unserialize()
function to convert it to a PHP array. Next, we use foreach
to loop through each element in the array and add it to a new string. Finally, we use the echo
function to output this new string to the screen.
Run the above code, you will see the following output:
name: John age: 30 email: john@example.com
As you can see, we successfully converted an array type string into an ordinary string and retained the original format . You can modify this sample code to fit your own project needs.
The above is the detailed content of How to convert array type string to string in php. For more information, please follow other related articles on the PHP Chinese website!