Array and foreach
foreach takes every element of the array and assigns it to a variable. To get the results, I assume that you expect that you just need to do:
foreach ($posts as $post) {
echo $post;
}
The specifics is as to why your code didn't work: it $postwill be the contents of the array element - in this case a string. Since PHP does not strongly type / support type juggling, you can actually work with the string as if it were an array and get each character in the sequence:
foreach ($posts as $post) {
echo $post[0]; //'t'
echo $post[1]; //'h'
}
, $post['message'] , (string)'message' int, $post[0].
# $posts is an array with one index ('message')
$posts = array(
"message" => 'this is a test message'
);
# You iterate over the $posts array, so $post contains
# the string 'this is a test message'
foreach ($posts as $post) {
# You try to access an index in the string.
# Background info #1:
# You can access each character in a string using brackets, just
# like with arrays, so $post[0] === 't', $post[1] === 'e', etc.
# Background info #2:
# You need a numeric index when accessing the characters of a string.
# Background info #3:
# If PHP expects an integer, but finds a string, it tries to convert
# it. Unfortunately, string conversion in PHP is very strange.
# A string that does not start with a number is converted to 0, i.e.
# ((int) '23 monkeys') === 23, ((int) 'asd') === 0,
# ((int) 'strike force 1') === 0
# This means, you are accessing the character at position ((int) 'message'),
# which is the first character in the string
echo $post['message'];
}
, , , :
$posts = array(
array(
"message" => 'this is a test message'
)
);
foreach ($posts as $post) {
echo $post['message'];
}
:
$posts = array(
"message" => 'this is a test message'
);
foreach ($posts as $key => $post) {
# $key === 'message'
echo $post;
}