JSON codifica i risultati di MySQL


304

Come utilizzo la json_encode()funzione con i risultati della query MySQL? Devo scorrere le righe o posso semplicemente applicarlo all'intero oggetto dei risultati?


1
So che questa è una domanda molto antica. Ma nessuno mostra l'alternativa più semplice per risolvere il problema degli interi che si presentano come stringhe. @mouckatron offre il flag JSON_NUMERIC_CHECK di json_encode()nella risposta di seguito. Semplice e funziona come un fascino! stackoverflow.com/questions/1390983/...
AlexGM

1
V'è una domanda corrispondente + risposta riguardo la stringa di tipo-problema: stackoverflow.com/questions/28261613/...
Marcel Ennix

Risposte:


493
$sth = mysqli_query("SELECT ...");
$rows = array();
while($r = mysqli_fetch_assoc($sth)) {
    $rows[] = $r;
}
print json_encode($rows);

La funzione json_encoderichiede PHP> = 5.2 e il pacchetto php-json - come menzionato qui

NOTA : mysqlè obsoleto a partire da PHP 5.5.0, usa mysqliinvece l'estensione http://php.net/manual/en/migration55.deprecated.php .


69
Vorrei anche consigliarti di menzionare che durante la query di selezione da utilizzare ASper rinominare le colonne in qualcosa per pubblico come SELECT blog_title as title, questo è più pulito e il pubblico non sa quali siano le colonne esatte dal database.
RobertPitt,

14
Questo codice codifica erroneamente tutti i valori numerici come stringhe. Ad esempio, un campo numerico mySQL chiamato score avrebbe un valore JSON di "12" anziché 12 (notare le virgolette).
Theo,

24
@RobertPitt, la sicurezza basata sul nascondere i nomi delle tue colonne è sicurezza per oscurità !
TMS

4
@Tomas vero, ma conoscere i nomi esatti delle colonne rende gli attacchi di iniezione SQL notevolmente più facili
Tim Seguine,

16
@Tim: se stai arrivando al punto in cui i nomi delle colonne conosciuti sono l'unica barriera all'iniezione SQL che hai già perso, no?
Paolo Bergantino,

44

Prova questo, questo creerà il tuo oggetto correttamente

 $result = mysql_query("SELECT ...");
 $rows = array();
   while($r = mysql_fetch_assoc($result)) {
     $rows['object_name'][] = $r;
   }

 print json_encode($rows);

1
+1 Questa sembra essere l'unica risposta che fornisce JSON nello stesso formato degli esempi su json.org/example .
divieto di geoingegneria

Sì, questo esempio fornisce una chiave per riga.
Mar

26

http://www.php.net/mysql_query dice " mysql_query()restituisce una risorsa".

http://www.php.net/json_encode dice che può codificare qualsiasi valore "tranne una risorsa".

È necessario scorrere e raccogliere i risultati del database in un array, quindi json_encodenell'array.


2
mysql_query non restituisce un set di risultati. ecco a cosa serve mysql_fetch *.
Andy,

Ehm ... sì ... questo è ciò che accade nell'iterazione, tra mysql_query e json_encode. Buona chiamata, Watson.
Hugh Bothwell,

17

Grazie, mi ha aiutato molto. Il mio codice:

$sqldata = mysql_query("SELECT * FROM `$table`");

$rows = array();
while($r = mysql_fetch_assoc($sqldata)) {
  $rows[] = $r;
}

echo json_encode($rows);

questo, ci darà un array contenente; 1) una parentesi quadra vuota 2) seguita dalla parentesi graffa contenente le nostre righe dei risultati restituiti che differenza c'è rispetto alle altre?
Gumuruh,

11

Grazie .. la mia risposta è:

if ($result->num_rows > 0) {
            # code...
            $arr = [];
            $inc = 0;
            while ($row = $result->fetch_assoc()) {
                # code...
                $jsonArrayObject = (array('lat' => $row["lat"], 'lon' => $row["lon"], 'addr' => $row["address"]));
                $arr[$inc] = $jsonArrayObject;
                $inc++;
            }
            $json_array = json_encode($arr);
            echo $json_array;
        }
        else{
            echo "0 results";
        }

9

Quanto sopra non funzionerà, nella mia esperienza, prima di nominare l'elemento radice dell'array in qualcosa, non sono stato in grado di accedere a nulla nel json finale prima di quello.

$sth = mysql_query("SELECT ...");
$rows = array();
while($r = mysql_fetch_assoc($sth)) {
    $rows['root_name'] = $r;
}
print json_encode($rows);

Questo dovrebbe fare il trucco!

Par


8

Il codice qui sotto funziona bene qui!

<?php

  $con=mysqli_connect("localhost",$username,$password,databaseName);

  // Check connection
  if (mysqli_connect_errno())
  {
   echo "Failed to connect to MySQL: " . mysqli_connect_error();
  }

  $query = "the query here";

  $result = mysqli_query($con,$query);

  $rows = array();
  while($r = mysqli_fetch_array($result)) {
    $rows[] = $r;
  }
  echo json_encode($rows);

  mysqli_close($con);
?>

5

La mia semplice soluzione per impedirlo mettendo i segni vocali attorno ai valori numerici ...

while($r = mysql_fetch_assoc($rs)){
    while($elm=each($r))
    {
        if(is_numeric($r[$elm["key"]])){
                    $r[$elm["key"]]=intval($r[$elm["key"]]);
        }
    }
    $rows[] = $r;
}   

5

Siamo spiacenti, questo è estremamente lungo dopo la domanda, ma:

$sql = 'SELECT CONCAT("[", GROUP_CONCAT(CONCAT("{username:'",username,"'"), CONCAT(",email:'",email),"'}")), "]") 
AS json 
FROM users;'
$msl = mysql_query($sql)
print($msl["json"]);

Fondamentalmente:

"SELECT" Select the rows    
"CONCAT" Returns the string that results from concatenating (joining) all the arguments
"GROUP_CONCAT" Returns a string with concatenated non-NULL value from a group

Attenzione che GROUP_CONCAT()è limitato da group_concat_max_len.
Eggyal

4

potremmo semplificare la risposta di Paolo Bergantino in questo modo

$sth = mysql_query("SELECT ...");
print json_encode(mysql_fetch_assoc($sth));

4
<?php
define('HOST','localhost');
define('USER','root');
define('PASS','');
define('DB','dishant');

$con = mysqli_connect(HOST,USER,PASS,DB);


  if (mysqli_connect_errno())
  {
   echo "Failed to connect to MySQL: " . mysqli_connect_error();
  }

 $sql = "select * from demo ";

 $sth = mysqli_query($con,$sql);

$rows = array();

while($r = mysqli_fetch_array($sth,MYSQL_ASSOC)) {

 $row_array['id'] = $r;

    **array_push($rows,$row_array);**
}
echo json_encode($rows);

mysqli_close($con);
?>

aarray_push ($ righe $ row_array); aiuta a costruire un array, altrimenti fornisce l'ultimo valore nel ciclo while

questo funziona come il metodo append di StringBuilder in Java


3

Un'altra opzione che utilizza il ciclo FOR:

 $sth = mysql_query("SELECT ...");
 for($rows = array(); $row = mysql_fetch_assoc($sth); $rows[] = $row);
 print json_encode($rows);

L'unico svantaggio è che il loop è più lento di quando, per esempio, o soprattutto foreach


3

Ad esempio $ result = mysql_query ("SELECT * FROM userprofiles dove NAME = 'TESTUSER'");

1.) se $ risultato è solo una riga.

$response = mysql_fetch_array($result);
echo json_encode($response);

2.) se $ risultato è più di una riga. È necessario iterare le righe e salvarlo in un array e restituire un json con array in esso.

$rows = array();
if (mysql_num_rows($result) > 0) {
    while($r = mysql_fetch_assoc($result)) {
       $id = $r["USERID"];   //a column name (ex.ID) used to get a value of the single row at at time
       $rows[$id] = $r; //save the fetched row and add it to the array.
    }
}    
echo json_encode($rows);

3

Ho lo stesso requisito. Voglio solo stampare un oggetto risultato in formato JSON, quindi uso il codice qui sotto. Spero che ci trovi qualcosa.

// Code of Conversion
$query = "SELECT * FROM products;";
$result = mysqli_query($conn , $query);

if ($result) {
echo "</br>"."Results Found";

// Conversion of result object into JSON format
$rows = array();
while($temp = mysqli_fetch_assoc($result)) {
    $rows[] = $temp;
}
echo "</br>" . json_encode($rows);

} else {
    echo "No Results Found";
}

3

Controlla il codice seguente per usare mysql_fetch e json_encode. Dovrai scorrere le righe ma se usi mysqli la situazione cambierà

$kt_query="SELECT * FROM tbl_xxx";
$kt_result = mysql_query($kt_query) or die('Query failed: ' . mysql_error());
$rows= array();
while($sonuc=mysql_fetch_assoc($kt_result))
{
    $rows[]=$sonuc;
}
print json_encode($rows);

3

Ho risolto in questo modo

$stmt->bind_result($cde,$v_off,$em_nm,$q_id,$v_m);
    $list=array();
    $i=0;
    while ($cresult=$stmt->fetch()){    


        $list[$i][0]=$cde;
        $list[$i][1]=$v_off;
        $list[$i][2]=$em_nm;
        $list[$i][3]=$q_id;
        $list[$i][4]=$v_m;
        $i=$i+1;
    }
    echo json_encode($list);        

Questo verrà restituito ad Ajax come set di risultati e usando json parse nella parte javascript in questo modo:

obj = JSON.parse(dataX);

2
$array = array();
$subArray=array();
$sql_results = mysql_query('SELECT * FROM `location`');

while($row = mysql_fetch_array($sql_results))
{
    $subArray[location_id]=$row['location'];  //location_id is key and $row['location'] is value which come fron database.
    $subArray[x]=$row['x'];
    $subArray[y]=$row['y'];


 $array[] =  $subArray ;
}
echo'{"ProductsData":'.json_encode($array).'}';

2

Codice:

$rows = array();

while($r = mysqli_fetch_array($result,MYSQL_ASSOC)) {

 $row_array['result'] = $r;

  array_push($rows,$row_array); // here we push every iteration to an array otherwise you will get only last iteration value
}

echo json_encode($rows);


-3

$sql = "SELECT JSON_ARRAYAGG(JSON_OBJECT('id', tbl.id)) FROM table tbl WHERE... "; 

//And get first row :) 

Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.