benhowdle89
benhowdle89

Reputation: 37504

Append data to a .JSON file with PHP

I have this .json file:

[
    {
        "id": 1,
        "title": "Ben\\'s First Blog Post",
        "content": "This is the content"
    },
    {
        "id": 2,
        "title": "Ben\\'s Second Blog Post",
        "content": "This is the content"
    }
]

This is my PHP code:

<?php
$data[] = $_POST['data'];

$fp = fopen('results.json', 'a');
fwrite($fp, json_encode($data));
fclose($fp);

The thing is, I'm not exactly sure how to achieve it. I'm going to call this code above every time a form is submitted, so I need the ID to increment and to also keep the valid JSON structure with [ and {, is this possible?

Upvotes: 19

Views: 100813

Answers (8)

user9385340
user9385340

Reputation:

append data to .json file with PHP

  • also keep with valid json structure
  • not append array.
  • append json to QuesAns.json file.
  • overwrite data in file
   $data = $_POST['data'];
   //$data= 
   
   array("Q"=>"QuestThird","A"=>"AnswerThird");
        
   $inp = file_get_contents('QuesAns.json');
   //$inp='[{"Q":"QuestFurst","A":"AnswerFirst"},{"Q":"Quest second","A":"AnswerSecond"}]';     
  
   /**Convert to array because array_push working with array**/
   $tempArray = json_decode($inp,true);
        
   array_push($tempArray, $data);
   print_r($tempArray);
   echo'<hr>';

   $jsonData = json_encode($tempArray);

   file_put_contents('QuesAns.json', $jsonData);
   
   print($jsonData);

Output:

Array ( [0] => Array ( [Q] => QuestFurst [A] => AnswerFirst ) [1] => Array ( [Q] => Quest second [A] => AnswerSecond ) [2] => Array ( [Q] => QuestThird [A] => AnswerThird ) )


[{"Q":"QuestFurst","A":"AnswerFirst"},{"Q":"Quest second","A":"AnswerSecond"},{"Q":"QuestThird","A":"AnswerThird"}]

Upvotes: 3

Martin Mbae
Martin Mbae

Reputation: 1286

I wrote this PHP code to add json to a json file. The code will enclose the entire file in square brackets and separate the code with commas.

<?php

//This is the data you want to add
//I  am getting it from another file
$callbackResponse = file_get_contents('datasource.json');

//File to save or append the response to
$logFile = "results44.json";


//If the above file does not exist, add a '[' then 
//paste the json response then close with a ']'


if (!file_exists($logFile)) {
  $log = fopen($logFile, "a");
  fwrite($log, '['.$callbackResponse.']');
  fclose($log);                      
}


//If the above file exists but is empty, add a '[' then 
//paste the json response then close with a ']'

else if ( filesize( $logFile) == 0 )
{
     $log = fopen($logFile, "a");
  fwrite($log, '['.$callbackResponse.']');
  fclose($log);  
}


//If the above file exists and contains some json contents, remove the last ']' and 
//replace it with a ',' then paste the json response then close with a ']'

else {

$fh = fopen($logFile, 'r+') or die("can't open file");
$stat = fstat($fh);
ftruncate($fh, $stat['size']-1);
fclose($fh); 

$log = fopen($logFile, "a");
  fwrite($log, ','.$callbackResponse. ']');
  fclose($log); 

}

    ?>

GoodLuck

Upvotes: 0

spstanley
spstanley

Reputation: 950

If you want to add another array element to a JSON file as your example shows, open the file and seek to the end. If the file already has data, seek backwards one byte to overwrite the ] following the last entry, then write , plus the new data minus the initial [ of the new data. Otherwise, it's your first array element, so just write your array normally.

Sorry I don't know enough about PHP to post actual code, but I've done this in Obj-C and it's allowed me to avoid reading the whole file in first just to add onto the end:

NSArray *array = @[myDictionary];
NSData *data = [NSJSONSerialization dataWithJSONObject:array options:0 error:nil];
FILE *fp = fopen(fname, "r+");
if (NULL == fp)
    fp = fopen(fname, "w+");
if (fp) {
    fseek(fp, 0L, SEEK_END);
    if (ftell(fp) > 0) {
        fseek(fp, -1L, SEEK_END);
        fwrite(",", 1, 1, fp);
        fwrite([data bytes] + 1, [data length] - 1, 1, fp);
    }
    else
        fwrite([data bytes], [data length], 1, fp);
    fclose(fp);
}

Upvotes: 5

Cristiana Chavez
Cristiana Chavez

Reputation: 11549

Sample code I used to append additional JSON array to JSON file.

$additionalArray = array(
    'id' => $id,
    'title' => $title,
    'content' => $content
);

//open or read json data
$data_results = file_get_contents('results.json');
$tempArray = json_decode($data_results);

//append additional json to json file
$tempArray[] = $additionalArray ;
$jsonData = json_encode($tempArray);

file_put_contents('results.json', $jsonData);   

Upvotes: 4

Ramesh KC
Ramesh KC

Reputation: 589

/*
 * @var temp 
 * Stores the value of info.json file
 */
$temp=file_get_contents('info.json');

/*
 * @var temp
 * Stores the decodeed value of json as an array
 */
$temp= json_decode($temp,TRUE);

//Push the information in temp array
$temp[]=$information;

// Show what new data going to be written
echo '<pre>';
print_r($temp);

//Write the content in info.json file
file_put_contents('info.json', json_encode($temp));
}

Upvotes: 0

Tim
Tim

Reputation: 1899

$data[] = $_POST['data'];

$inp = file_get_contents('results.json');
$tempArray = json_decode($inp);
array_push($tempArray, $data);
$jsonData = json_encode($tempArray);
file_put_contents('results.json', $jsonData);

Upvotes: 49

Marc B
Marc B

Reputation: 360882

You're ruining your json data by blindly appending text to it. JSON is not a format that can be manipulated like this.

You'll have to load your json text, decode it, manipulate the resulting data structure, then re-encode/save it.

<?php

$json = file_get_contents('results.json');
$data = json_decode($json);
$data[] = $_POST['data'];
file_put_contents('results.json', json_encode($data));

Let's say you've got [1,2,3] stored in your file. Your code could turn that into [1,2,3]4, which is syntactically wrong.

Upvotes: 17

Tom Martin
Tom Martin

Reputation: 471

This has taken the above c example and moved it over to php. This will jump to the end of the file and add the new data in without reading all the file into memory.

// read the file if present
$handle = @fopen($filename, 'r+');

// create the file if needed
if ($handle === null)
{
    $handle = fopen($filename, 'w+');
}

if ($handle)
{
    // seek to the end
    fseek($handle, 0, SEEK_END);

    // are we at the end of is the file empty
    if (ftell($handle) > 0)
    {
        // move back a byte
        fseek($handle, -1, SEEK_END);

        // add the trailing comma
        fwrite($handle, ',', 1);

        // add the new json string
        fwrite($handle, json_encode($event) . ']');
    }
    else
    {
        // write the first event inside an array
        fwrite($handle, json_encode(array($event)));
    }

        // close the handle on the file
        fclose($handle);
}

Upvotes: 36

Related Questions