Converting JSON to CSV format using PHP

后端 未结 1 1277
甜味超标
甜味超标 2020-12-05 07:58

I am trying to convert a json file into csv format using a php script. The code is as follows:

if (empty($argv[1])) die(\"The json file name or URL is misse         


        
1条回答
  •  小蘑菇
    小蘑菇 (楼主)
    2020-12-05 08:59

    json_decode($json, true); converts JSON objects to associative arrays. So this

    {
        "type":"NON_ATTRIBUTED",
        "conversion":{,
            "value_1":"000000100355321",
            "value_3":"XXXX",
            "value_4":"12667",
            "value_5":"6"
        },
        "stream_type":"COOKIE"
    }
    

    Become this:

    array(3) { 
        ["type"]=> string(14) "NON_ATTRIBUTED" 
        ["conversion"]=> array(4) { 
            ["value_1"]=> string(15) "000000100355321" 
            ["value_3"]=> string(4) "XXXX" 
            ["value_4"]=> string(5) "12667" 
            ["value_5"]=> string(1) "6" 
        } 
        ["stream_type"]=> string(6) "COOKIE" 
    }
    

    As you see there is nested arrays. And you trying to insert all elements of array to your text file (csv is just a simple text file) with this line:

    fputcsv($f, array_merge($firstLineKeys, $line));
    

    It works nice when element of array is string. But when the element is array we got the Array to string conversion. So you must to use loop or array_merge on a nested array to prevent this.

    I can't clearly understand how your csv must look like, but I hope this fix of your code will help you. If not, write a comment below.

    if (empty($argv[1])) die("The json file name or URL is missed\n");
    $jsonFilename = $argv[1];
    
    $json = file_get_contents($jsonFilename);
    $array = json_decode($json, true);
    $f = fopen('output.csv', 'w');
    
    $firstLineKeys = false;
    foreach ($array as $line)
    {
        if (empty($firstLineKeys))
        {
            $firstLineKeys = array_keys($line);
            fputcsv($f, $firstLineKeys);
            $firstLineKeys = array_flip($firstLineKeys);
        }
        $line_array = array($line['type']);
        foreach ($line['conversion'] as $value)
        {
            array_push($line_array,$value);
        }
        array_push($line_array,$line['stream_type']);
        fputcsv($f, $line_array);
    
    }
    

    There is also a mistake in your json - unneeded comma: "conversion":{,

    0 讨论(0)
提交回复
热议问题