I want to retrieve images from json in php. Actually I want to get those images sources as json data through php and display using javascript. But I think m doing something wrong please help.
<script type="text/javascript">
function jsonGetImages(name){
var thumbnailbox = document.getElementById("picturebox");
var hr = new XMLHttpRequest();
hr.open("POST", "jsonget.php", true);
hr.setRequestHeader("Content-type", "application/x-www-form-urlencoded");
hr.onreadystatechange = function() {
if(hr.readyState == 4 && hr.status == 200) {
var d = JSON.parse(hr.responseText);
picturebox.innerHTML = "";
for(var o in d){
if(d[o].src){
picturebox.innerHTML += '<img src="'+d[o].src+'">';
}
}
}
}
hr.send("name="+name);
picturebox.innerHTML = "requesting...";
}
</script>
</head>
<body>
<div id="picturebox"></div>
<script type="text/javascript">jsonGetImages('Jason');</script>
</body>
jsonget.php
<?php
header("Content-Type: application/json");
$folder = 'images';
$cn=mysql_connect("localhost","root","");
if(!$cn){
echo "<b>Connection couldn't be established.</b>";
die();
}
$db=mysql_select_db("test",$cn);
if(!$db){
echo "<b>Database doesn't exist.</b>";
}
$dir = $folder."/";
$dirHandle = opendir($dir);
$name=$_POST['name'];
$sql="SELECT * FROM users WHERE name='$name'";
$result=mysql_query($sql);
echo mysql_num_rows($result);
$i=0;
$jsonData = '{';
while($row=mysql_fetch_array($result)){
$name=$row['name'];
$image_name=$row['image'];
$i++;
$file=readdir($dirHandle);
$src = "$dir$image_name";
$jsonData .= '"img'.$i.'":{ "num":"'.$i.'","src":"'.$src.'", "name":"'.$name.'" },';
}
closedir($dirHandle);
$jsonData = chop($jsonData, ",");
$jsonData .= '}';
echo $jsonData;
?>
Please help. I can't find solution how to get images using json.
You can convert the image to a Base 64 string with php and pass it with JSON
$src = "$dir$image_name";
$type = pathinfo($src, PATHINFO_EXTENSION);
$data = file_get_contents($src);
$base64 = 'data:image/' . $type . ';base64,' . base64_encode($data);
$myobj = json_encode(array("image"=>$base64));
Then you can simply put that string into the SRC attribue of an image element with javascript.
var obj = JSON.parse(serverResponse);
img.src=obj.image;
$res = mysqli_query($conn,"SELECT * FROM table_name");
while($row = mysqli_fetch_array($res)){
echo '<img src="data:image/jpeg;base64,'.base64_encode($row['al_image']).'" >';
}
I use above code for displaying image. it came in the encrypted format.
after that, you can simply display image through src in JS.
I use this code to return text and image that are saved in the MySQL database. I use PHP to access and the data returned am running on an Android application.
<?php
/*******************************************************
{ }
{ GET IMAGE JSON }
{ }
{ File: GetImageJson.php }
{ Copyright (c) Zicatti Software 2015 }
{ Developer: Osmir Zicatti }
{ }
{ }
{ Used to return the fields in a table }
{ containing image ( BLOB ) using json }
{ }
{*******************************************************}
{*******************************************************}
{ Paramentro necessário: Numero da pagina }
{ Formato de chamada: GetImageJson.php?PAGINA=1 }
{*******************************************************/
$Pagina = #$_GET['PAGINA'];
if (#$_GET['PAGINA'] != '') {
$host="200.200.200.200"; // Host name
$username="BDados"; // Mysql username
$password="password"; // Mysql password
$db_name="DATABASE"; // Database name
// Connect to server and select databse.
mysql_connect("$host", "$username", "$password")or die("cannot connect");
mysql_select_db("$db_name")or die("cannot select DB");
mysql_set_charset('utf8');
// retorna TODOS os campos com as 2 imagens
// $qry = sprintf("SELECT id, pagina, titulo, texto1, texto2, image_thumb, imagem FROM TABELA where pagina = %s",
// Mas vou usar esta para carregar a ListView com o thunmbnail que é menor
$qry = sprintf("SELECT id, pagina, titulo, texto1, texto2, image_thumb FROM TABELA where pagina = %s",
mysql_real_escape_string($Pagina));
$query=mysql_query($qry);
if (!$query) {
$message = 'Invalid query: ' . mysql_error() . "\n";
$message .= 'Whole query: ' . $qry;
die($message);
}
$return_arr = array();
$row_array = array();
// Verifica se existe algum registro
$num_rows = mysql_num_rows($query);
if ($num_rows > 0) {
while ($r = mysql_fetch_array($query)) {
$row_array['id'] = $r['id'];
$row_array['pagina'] = $r['pagina'];
$row_array['titulo'] = $r['titulo'];
$row_array['texto1'] = $r['texto1'];
$row_array['texto2'] = $r['texto2'];
$row_array['image_thumb'] = base64_encode($r['image_thumb']);
array_push($return_arr,$row_array);
}
}
else { $return_arr['id'] = 'ERRO - Pagina inexistente'; }
echo json_encode($return_arr);
return json_encode($return_arr);
mysql_close();
}
else {
$return_arr['id'] = 'ERRO - Faltou enviar o numero da pagina';
echo json_encode($return_arr);
return json_encode($return_arr);
}
?>
Related
I need to do the following to finish off my project and as im just learning but need bit of guidance to do the following:
it seems im not populating the department select with the current value in the 'edit employee form', ive been told if i use the getPersonnel.php file it returns the JSON to populate the department select, then all i need to do is set the value of the select to the departmentID value of the employee.
I also know and im going to change my php code to prepared statements to avoid sql injection.
this is my code below:
function updateEditEmployeeModal(employee) {
$.ajax({
url: './php/getPersonnel.php',
type: 'POST',
datatype: 'json',
data: {employeeId: employee.id},
success:function(result){
// console.log(result);
$('#editEmployeeId').html(result.data.personnel[0].id);
$('#editEmployeeFirstNameInput').val(`${result.data.personnel[0].firstName}`);
$('#editEmployeeLastNameInput').val(`${result.data.personnel[0].lastName}`);
$('#editEmployeePositionInput').val(result.data.personnel[0].jobTitle);
$('#editEmployeeEmailInput').val(result.data.personnel[0].email);
$("#editEmployeeDepartmentSelect").val(result.data.personnel[0].departmentId).change();
},
error: function(err){
console.log(err);
}
});
and getPersonnel.php file ::
<?php
// example use from browser
// http://localhost/companydirectory/libs/php/getPersonnel.php?id=1
// remove next two lines for production
ini_set('display_errors', 'On');
error_reporting(E_ALL);
$executionStartTime = microtime(true);
include("config.php");
header('Content-Type: application/json; charset=UTF-8');
$conn = new mysqli($cd_host, $cd_user, $cd_password, $cd_dbname, $cd_port, $cd_socket);
if (mysqli_connect_errno()) {
$output['status']['code'] = "300";
$output['status']['name'] = "failure";
$output['status']['description'] = "database unavailable";
$output['status']['returnedIn'] = (microtime(true) - $executionStartTime) / 1000 . " ms";
$output['data'] = [];
mysqli_close($conn);
echo json_encode($output);
exit;
}
// first query
$employeeId = $_REQUEST['employeeId'];
$query = $query = "SELECT p.id, p.lastName, p.firstName, p.jobTitle, p.email, p.departmentID as departmentId, d.name as department, l.name as location FROM personnel p LEFT JOIN department d ON (d.id = p.departmentID) LEFT JOIN location l ON (l.id = d.locationID) WHERE p.id = '$employeeId';";
$result = $conn->query($query);
if (!$result) {
$output['status']['code'] = "400";
$output['status']['name'] = "executed";
$output['status']['description'] = "query failed";
$output['data'] = [];
mysqli_close($conn);
echo json_encode($output);
exit;
}
$personnel = [];
while ($row = mysqli_fetch_assoc($result)) {
array_push($personnel, $row);
}
$output['status']['code'] = "200";
$output['status']['name'] = "ok";
$output['status']['description'] = "success";
$output['status']['returnedIn'] = (microtime(true) - $executionStartTime) / 1000 . " ms";
$output['data']['personnel'] = $personnel;
mysqli_close($conn);
echo json_encode($output);
?>
I have a system for a restaurant that is running on a web server and I need to print the order that is made, in a POS printer but I would like when the user clicks on "save order" button, automatically the ticket is printed with all details of the order, without showing any print dialog box (the dialog box is shown when I print with javascript and I don't want that).
I tried to do it with the php library "Mike42" and setting the shared printer but it does not print anything.
If I do it from my system in Local with XAMPP it is printed, but if I do it from the system that is hosted in my web hosting it does not print anything.
Here I show the code of the php files that does the job of sending to print:
windows-usb.php (this file is include in Mike42 library):
/* Change to the correct path if you copy this example! */
require __DIR__ . '/../../autoload.php';
use Mike42\Escpos\Printer;
use Mike42\Escpos\PrintConnectors\WindowsPrintConnector;
/**
* Install the printer using USB printing support, and the "Generic / Text Only" driver,
* then share it (you can use a firewall so that it can only be seen locally).
*
* Use a WindowsPrintConnector with the share name to print.
*
* Troubleshooting: Fire up a command prompt, and ensure that (if your printer is shared as
* "Receipt Printer), the following commands work:
*
* echo "Hello World" > testfile
* copy testfile "\\%COMPUTERNAME%\Receipt Printer"
* del testfile
*/
try {
// Enter the share name for your USB printer here
//$connector = null;
$connector = new WindowsPrintConnector("THERMAL PRINTER");
/* Print a "Hello world" receipt" */
$printer = new Printer($connector);
$printer -> text("<table border='0' align='center' width='385px'><tr><td align='center'>.::<strong> ". $restaurent ." </strong>::.\n ". $celphone ." - ID: ". $IDRest ."</td></tr><tr><td align='center'>Date/Time:" . date('d-m-Y H:i:s') . "</td></tr><tr><td align='left'></td></tr><tr><td>Client: ".$name."</td></tr><tr><td>ID Client: ".$ID_Client."</td></tr><tr><td>Order Nº: ".$orderNum."</td></tr><tr><td colspan='3' align='left'>Type of Order: ".$type_orders."</td></tr></table>\n"."<table border='0' align='center' width='300px'><tr><td><span id='cantDragg'>QUANTITY.</span></td><td><span id='descripDragg'>DETAILS</span></td><td align='right'><span id='importDragg'>TOTAL</span></td></tr><tr><td colspan='3'>==========================================</td></tr>"."<tr><td>Here Quantity</td><td>Here Dish Name</td><td align='right'>Here price</td></tr><tr><td>2</td><td>Pizza 4 cheese</td><td align='right'>330 CHF</td></tr><tr><td> </td><td align='right'><b>TOTAL:</b></td><td align='right'><b>360 CHF</b></td></tr><tr><td colspan='3'>Nº of Dishes: 2</td></tr><tr><td colspan='3'> </td></tr><tr><td colspan='3' align='center'>here other important detail</td></tr></table>");
$printer -> cut();
/* Close printer */
$printer -> close();
header("Location:../../../../index.php");
} catch (Exception $e) {
echo "Couldn't print to this printer: " . $e -> getMessage() . "\n";
}
Here is the file Printing.php (here I do some queries to db to extract the info I need to print):
include_once "../../../app/config.inc.php";
include_once "../../../app/Connection.php";
//include_once "config.inc.php";
//include_once "Connection.php";
class PrintTickets
{
public static function CheckOrderToPrint ($connection, $status)
{
$category = [];
if (isset($connection)) {
try {
$sql = "SELECT * FROM orders WHERE status =:status ORDER BY id ASC";
$sentence = $connection ->prepare($sql);
$sentence -> bindParam (':status', $status, PDO::PARAM_STR);
$sentence -> execute();
$result = $sentence -> fetch();
if (!empty($result)) {
$category = [$result['id'],
$result['id_preOrder'],
$result['total_amount'],
$result['discount'],
$result['liefergenbuhr'],
$result['gesamtbetrag'],
$result['order_number'],
$result['status']];
}
} catch (PDOException $ex) {
print 'ERROR' . $ex -> getMessage();
}
}
return $category;
}
public static function CheckPreOrderToPrint ($connection, $id)
{
$category = [];
if (isset($connection)) {
try {
$sql = "SELECT * FROM pre_order WHERE id =:id";
$sentence = $connection ->prepare($sql);
$sentence -> bindParam (':id', $id, PDO::PARAM_INT);
$sentence -> execute();
$result = $sentence -> fetch();
if (!empty($result)) {
$category = [$result['id'],
$result['order_num'],
$result['address'],
$result['zip_code'],
$result['other_field'],
$result['type_order'],
$result['status']];
}
} catch (PDOException $ex) {
print 'ERROR' . $ex -> getMessage();
}
}
return $category;
}
public static function CheckOrderDetailsToPrint($connection, $id)
{
$category = [];
if (isset($connection)) {
try {
$sql = "SELECT * FROM order_details WHERE id_order = :id_order";
$sentence = $connection ->prepare($sql);
$sentence -> bindParam (':id_order', $id, PDO::PARAM_INT);
$sentence -> execute();
$result = $sentence -> fetchAll();
if (count($result)) {
foreach ($result as $row)
{
$category[] = [$row['id'], $row['id_order'], $row['id_dish'], $row['quantity']];
}
}
} catch (PDOException $ex) {
print 'ERROR' . $ex -> getMessage();
}
}
return $category;
}
public static function CheckOrderDishesToPrint($connection, $id)
{
$category = [];
if (isset($connection)) {
try {
$sql = "SELECT p.*, c.name AS category FROM products p INNER JOIN category c ON p.id_category = c.id WHERE p.id = :id";
$sentence = $connection ->prepare($sql);
$sentence -> bindParam (':id', $id, PDO::PARAM_INT);
$sentence -> execute();
$result = $sentence -> fetch();
if (!empty($result)) {
//foreach ($result as $row) {
$category[] = [$result['id'],
$result['id_category'],
$result['name'],
$result['ingredients'],
$result['price'],
$result['status'],
$result['category']];
//}
}
} catch (PDOException $ex) {
print 'ERROR' . $ex -> getMessage();
}
}
return $category;
}
public static function UpdateOrdersPrint ($connection, $id, $status) {
$preOrder_saved = false;
$lastId = 0;
if (isset($connection)) {
try {
$sql = "UPDATE orders SET status = :status WHERE id = :id";
$sentence = $connection -> prepare($sql);
$sentence -> bindParam (':id', $id, PDO::PARAM_INT);
$sentence -> bindParam (':status', $status, PDO::PARAM_STR);
$preOrder_saved = $sentence -> execute();
$lastId = $connection->lastInsertId();
} catch (PDOException $ex) {
print 'ERROR' . $ex -> getMessage();
}
}
return $lastId;
}
public static function GlobalGetGeneral($connection, $id)
{
$orders = null;
if (isset($connection)) {
try {
$sql = "SELECT * FROM global_setting WHERE id = :id";
$sentence = $connection ->prepare($sql);
$sentence -> bindParam(':id', $id, PDO::PARAM_INT);
$sentence -> execute();
$result = $sentence -> fetch();
if (!empty($result))
{
$orders = [$result['id'], $result['discount'], $result['rest_name'], $result['coin'], $result['address'], $result['phone'], $result['email']];
}
} catch (PDOException $ex) {
print 'ERROR' . $ex -> getMessage();
}
}
return $orders;
}
public static function GetCustomerOrders($connection, $pre_order_Id) {
$orders = null;
if (isset($connection)) {
try {
$sql = "SELECT * FROM costumers WHERE pre_order_Id = :pre_order_Id";
$sentence = $connection ->prepare($sql);
$sentence -> bindParam(':pre_order_Id', $pre_order_Id, PDO::PARAM_INT);
$sentence -> execute();
$result = $sentence -> fetch();
if (!empty($result))
{
$orders = [$result['id'], $result['first_name'], $result['last_name'], $result['firma'], $result['address'], $result['zip_code'], $result['zip_code2'], $result['zip_address'], $result['telephone'], $result['email'], $result['etage'], $result['nachricht'], $result['pre_order_Id']];
}
} catch (PDOException $ex) {
print 'ERROR' . $ex -> getMessage();
}
}
return $orders;
}
}
Connection::open_db();
$status = "Processed";
$poststatus = "Finished";
$Result = PrintTickets::CheckOrderToPrint(Connection::GetConnection(), $status);
if($Result)
{
$orderNum = $Result[0];
$Result2 = PrintTickets::GlobalGetGeneral(Connection::GetConnection(), 1);
$restaurent = $Result2[2];
$adresse = $Result2[4];
$celphone = $Result2[5];
$email = $Result2[6];
$coin = $Result2[3];
$IDRest = "YG84784FOSJD-00";
$Result3 = PrintTickets::GetCustomerOrders(Connection::GetConnection(), $Result[1]);
$name = $Result3[1] ." ". $Result3[2];
$telefone = $Result3[8];
$emailCos = $Result3[9];
$ID_Client = $Result3[10];
$Result4 = PrintTickets::CheckPreOrderToPrint(Connection::GetConnection(), $Result[1]);
$type_orders = $Result4[5];
if ($type_orders == "TAKE_OVER")
{
$type_orders = "TAKE OVER";
}
else if ($type_orders == "DELIVERY")
{
$type_orders = "DELIVERY";
}
$dish_details = "";
$Result6 = PrintTickets::CheckOrderDetailsToPrint(Connection::GetConnection(), $Result[0]);
$DISHES_NUM = count($Result6);
$total = $Result[2];
for ($i=0; $i < count($Result6); $i++)
{
$price = 0;
$Result5 = PrintTickets::CheckOrderDishesToPrint(Connection::GetConnection(), $Result6[$i][2]);
//print_r($Result5);
for ($j=0; $j < $Result6[$i][3]; $j++)
{
$price = ($price + $Result5[0][4]);
}
$dish_details = $dish_details . "<tr><td>".$Result6[$i][3]."</td><td>".$Result5[0][6]. " " . $Result5[0][2]."</td><td align='right'>".$price."</td></tr>";
}
include_once "windows-usb.php";
$Result7 = PrintTickets::UpdateOrdersPrint(Connection::GetConnection(), $Result[0], $poststatus);
}
else
{
echo "No order ticket available to print.";
}
Connection::close_db();
This prints very well if I do it in Local, using Xampp, but when I try to do it from the system that I have hosted in my web hosting it does not work, it does not send anything to print.
I also tried creating the ticket in a pdf file with the fpdf library and then calling the Autoprint () function but the disadvantage is that I must open the generated pdf file to the printing process starts, and that's not a good
idea.
¿is There some way to print directly to a printer with php or javascript (without displaying dialogue boxes.)?
I need an AJAX Login Script for my school project.
But it actually won't work because when I try to login, I get kicked to the startpage (login-form) without any message.
That's my backend-script (login2.php):
if(empty($_POST['loginEmail']) || empty($_POST['loginPassword'])) {
$error[] = "Bitte füllen Sie alle Felder aus!";
}
if (!empty($_POST['loginEmail']) && !filter_var($_POST['loginEmail'], FILTER_VALIDATE_EMAIL)) {
$error[] = "Bitte geben Sie eine gültige E-Mail-Adresse an!";
}
if(count($error)>0) {
$resp['msg'] = $error;
$resp['status'] = false;
echo json_encode($resp);
exit;
}
$sql = "SELECT * FROM `users` WHERE `uEmail` = :email AND `uPassword` = :password";
$stmt = $conn->prepare($sql);
$stmt->execute(array(':email' => $_POST['loginEmail']));
$row = $stmt->fetchAll(PDO::FETCH_ASSOC);
if(count($row)>0) {
if(!password_verify($_POST['loginPassword'],$row[0]['uPassword'])) {
$error[] = "Falsches Passwort!";
$resp['msg'] = $error;
$resp['status'] = false;
echo json_encode($resp);
exit;
}
session_start();
$_SESSION['Email'] = $row[0]['uEmail'];
$resp['redirect'] = "dashboard.php";
$resp['status'] = true;
echo json_encode($resp);
exit;
}
else {
$error[] = "Falsche E-Mail-Adresse!";
$resp['msg'] = $error;
$resp['status'] = false;
echo json_encode($resp);
exit;
}
And this is my JS part of the login form:
$(function() {
$('#login').click(function(e){
let self = $(this);
e.preventDefault();
self.prop('disabled',true);
var data = $('#login-form').serialize();
$.ajax({
url: '/login2.php',
type: "POST",
data: data,
}).done(function(res) {
res = JSON.parse(res);
if(res['status']) {
location.href = "dashboard.php";
} else {
var errorMessage = "";
console.log(res.msg);
$.each(res['msg'],function(index,message) {
errorMessage += '<p>' + message + '</p>';
});
$("#error-msg").html(errorMessage);
$("#error-msg").show();
self.prop('disabled',false);
}
}).fail(function() {
alert("error");
}).always(function(){
self.prop('disabled',false);
});
});
});
When I try to add action="/login2.php" in the form I get a HTTP 500 Error and the message, that it can not process this request at this time.
I'm not sure if this is your main problem, but it's a significant one. You're preparing two parameters:
$sql = "SELECT * FROM `users` WHERE `uEmail` = :email AND `uPassword` = :password";
But you're only binding one:
$stmt->execute(array(':email' => $_POST['loginEmail']));
You don't want to include the password in the select, since you're using password_verify() to validate it later. Change your SQL to this:
$sql = "SELECT * FROM `users` WHERE `uEmail` = :email";
How come autocomplete doesnt work when I got json data that has items in it? I can se that it is becoming a list, but it is not filling with names.
Example of my json data: http://nettport.com/no/stram/search.php?term=e
<script>
$(function() {
$( "#inp_meal_a_0" ).autocomplete({
source: 'search.php'
});
$('#inp_meal_a_0').on('autocompleteselect', function (e, ui) {
var val = $('#inp_size_a_0').val();
var energy = ui.item.energy;
var proteins = ui.item.proteins;
var carbohydrates = ui.item.carbohydrates;
var fat = ui.item.fat;
$("#inp_energy_a_0").val((energy*val)/100);
$("#inp_proteins_a_0").val((proteins*val)/100);
$("#inp_carbs_a_0").val((carbohydrates*val)/100);
$("#inp_fat_a_0").val((fat*val)/100);
});
});
</script>
Search.php
<?php
header('Content-type: text/html; charset=windows-1252;');
// Make a MySQL Connection
$host = $_SERVER['HTTP_HOST'];
if($host == "127.1.1.0"){
mysql_connect("localhost", "root", "") or die(mysql_error());
mysql_select_db("n") or die(mysql_error());
}
// Quote smart
function quote_smart($value){
// Stripslashes
if (get_magic_quotes_gpc() && !is_null($value) ) {
$value = stripslashes($value);
}
//Change decimal values from , to . if applicable
if( is_numeric($value) && strpos($value,',') !== false ){
$value = str_replace(',','.',$value);
}
if( is_null($value) ){
$value = 'NULL';
}
// Quote if not integer or null
elseif (!is_numeric($value)) {
$value = "'" . mysql_real_escape_string($value) . "'";
}
return $value;
}
if(isset($_GET['term']) && $_GET['term'] != ''){
$term = $_GET['term'];
$term = strip_tags(stripslashes($term));
$term = trim($term);
$term = strtolower($term);
$term = $term . "%";
$part_mysql = quote_smart($term);
//get matched data from skills table
$x = 0;
$query = "SELECT cc_id, cc_food_name, cc_manufactor_name, cc_serving_size, cc_serving_mesurment, cc_energy, cc_proteins, cc_carbohydrates, cc_fat FROM stram_calorie_calculation WHERE cc_food_name LIKE $part_mysql";
$r = mysql_query($query);
while ($row = mysql_fetch_array($r, MYSQL_NUM)) {
$get_cc_id = $row[0];
$get_cc_food_name = $row[1];
$get_cc_manufactor_name = $row[2];
$get_cc_serving_size = $row[3];
$get_cc_serving_mesurment = $row[4];
$get_cc_energy = $row[5];
$get_cc_proteins = $row[6];
$get_cc_carbohydrates = $row[7];
$get_cc_fat = $row[8];
if($get_cc_food_name == ""){
$result = mysql_query("DELETE FROM stram_calorie_calculation WHERE cc_id='$get_cc_id'") or die(mysql_error());
}
$data[$x] = array('food_name' => $get_cc_food_name, 'energy' => $get_cc_energy, 'proteins' => $get_cc_proteins, 'carbohydrates' => $get_cc_carbohydrates, 'fat' => $get_cc_fat);
//$data[$x] = $get_cc_food_name;
$x++;
}
//return json data
echo json_encode($data);
}
?>
I'm trying to populate a drop-down menu from a MySql.
My problem is that the data from JASON are not showing in my HTML page.
This is what I want to achieve.
ID: Select ID
JASON //This works and the output: {"article1":{ "title":"acGH2867" },"article2":{ "title":"apGS0158" }}
$jsonData = '{';
foreach ($conn_db->query("SELECT customerID FROM customers WHERE furniture='33' ") as $result){
$i++;
$jsonData .= '"article'.$i.'":{ "title":"'.$result['customerID'].'" },';
}
$jsonData = chop($jsonData, ",");
$jsonData .= '}';
echo $jsonData;
HTML
<script type="text/javascript">
$(document).ready(function(){
var ddlist = document.getElementById("ddlist");
var hr = new XMLHttpRequest();
hr.open("cData.php", true);
hr.setRequestHeader("Content-type", "application/x-www-form-urlencoded");
hr.onreadystatechange = function() {
if(hr.readyState == 4 && hr.status == 200) {
var d = JSON.parse(hr.responseText);
for(var o in d){
if(d[o].title){
ddlist.innerHTML += '</option><option value='+d[o].title+'</option>';
}
}
}
}
ddlist.innerHTML = "Loading....";
$('#dlist').on('change', function(){
$('#val1').value() = $(this).val();
});
});
</script>
</head>
<div class="dlist" id="ddlist">
</div>
try this
$jsonData = array();
foreach ($conn_db->query("SELECT customerID as title FROM customers WHERE furniture='33' ") as $result)
{
$i++;
$jsonData["article'.$i]=$result;
}
echo json_encode($jsonData);