0

抱歉,找不到更好的标题。所以这是我在functions.php中有一个函数的问题

function show_news(){
$id_counter = 1;
$json_news = array(
        "id" => 0,
        "title" => ""
    );
$json_o = json_decode(file_get_contents(JSON_DATA_FOLDER.'news.json'));
foreach ($json_o as $id => $news_category)
{
    echo '<h2>'.$id.'<h2>';
    foreach ($news_category as $news)
    {
        if(IsNullOrEmptyString($news->id)){$json_news['id'] = $id_counter; $id_counter++;}
        else{$json_news['id']=$news->id;}
        if(!IsNullOrEmptyString($news->title)){$json_news['title']=$news->title;}
        var_dump($json_news);
        echo "<br/>-------<br/>";
        include('news-layout.php');
    }
}
}

我正在读取一个 json 文件,并且对于每个元素,我将其值分配给一个数组。然后我包括'news-layout.php'。出于测试目的,我只在“news-layout.php”中保留了这 3 行代码

<?php 
global $json_news;
var_dump($json_news);
echo"<br/>=======================<hr/>";
?>

所以我在我的函数内以及包含的页面上做一个 var_dump。但我得到了奇怪的结果。一切正常,除了包含页面上的 var_dump($json_news) 显示循环的第一次迭代为 NULL !这是输出

todays_specials
array(2) { ["id"]=> int(1) ["title"]=> string(26) "Okie Since I have to do it" } 
-------
NULL 
=======================
array(2) { ["id"]=> int(2) ["title"]=> string(16) "Vegetable Samosa" } 
-------
array(2) { ["id"]=> int(2) ["title"]=> string(16) "Vegetable Samosa" } 
=======================
array(2) { ["id"]=> int(3) ["title"]=> string(16) "Vegetable Pakora" } 
-------
array(2) { ["id"]=> int(3) ["title"]=> string(16) "Vegetable Pakora" } 
=======================

你可以看到那个奇怪的 NULL 来了。谁能解释发生了什么或如何解决它?

4

1 回答 1

0

您的 $json_news 变量首先是函数文件的本地变量。然后包含布局文件并创建全局 $json_news var,然后使用全局。在你的函数文件中将它设置为全局并删除布局文件中的变量声明,你应该很高兴!

像这样:

function show_news(){
    $id_counter = 1;
    global $json_news = array(
        "id" => 0,
        "title" => ""
    );
    $json_o = json_decode(file_get_contents(JSON_DATA_FOLDER.'news.json'));
    foreach ($json_o as $id => $news_category){
        echo '<h2>'.$id.'<h2>';
        foreach ($news_category as $news){
            if(IsNullOrEmptyString($news->id)){
                $json_news['id'] = $id_counter; $id_counter++;
            }else{
                $json_news['id']=$news->id;
            }
            if(!IsNullOrEmptyString($news->title)){
                $json_news['title']=$news->title;
            }
            var_dump($json_news);
            echo "<br/>-------<br/>";
            include('news-layout.php');
        }
    }
}

'新闻-layout.php'

<?php 
var_dump($json_news);
echo"<br/>=======================<hr/>";
?>

旁注:不推荐使用这样的全局变量!

于 2012-08-28T10:24:55.807 回答