Dizi ve foreach

3 Cevap php
$posts = array(
"message" => 'this is a test message'
);

foreach ($posts as $post) {
     echo $post['message'];
}

Neden Yukarıdaki kod tek çıkış mesajında ​​ilk harfi nedir? "T".

Teşekkürler!

3 Cevap

foreach dizinin her elemanını alır ve değişkene atar. Ben size sadece yapmanız gereken bekliyoruz varsayalım sonucu almak için:

foreach ($posts as $post) {
   echo $post;
}

- Bu durumda bir dize $post dizi öğesinin içeriği olacaktır: neden kod işe yaramadı gibi özellikleri. PHP kesin belirlenmiş değil çünkü / Eğer bir dizi sanki bir dize ile aslında çalışmalarında can ve sırayla her karakter olsun, tipi hokkabazlık destekler:

foreach ($posts as $post) {
    echo $post[0]; //'t'
    echo $post[1]; //'h'
}

Açıkçası $post['message'], bu nedenle, geçerli bir unsur değildir, ve int ile (string)'message' ikinci açık bir dönüşüm vardır, bu nedenle, bu evals $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'];
}

Ne istemek muhtemelen bu da geçerli:

$posts = array(
    array(
        "message" => 'this is a test message'
    )
);
foreach ($posts as $post) {
    echo $post['message'];
}

Ya da bu:

$posts = array(
    "message" => 'this is a test message'
);
foreach ($posts as $key => $post) {
    # $key === 'message'
    echo $post;
}

Ian cevabı bir şey eklemek istiyorum: Eğer değer anahtarına erişmek için bir şekilde istiyorsanız, bu kullanın:

foreach ($posts as $key => $post) {
    echo $key . '=' . $post;
}

Sonuç:

message=this is a test message