0

我有一个名为:'objectID' 的 javascript 数组。它填充了几个不同的ID。

Example: objectID = ['465723', '654221, '632876', '102435', '320111', ...]
 (includes just 3-6 character numbers, not sure if entered as string or int)

我需要使用“objectID”来查询数据库。

JS

 jQuery.ajax({        
      type: "POST",
      url: "filter.php",
      data: { objectsArray : objectID },
      success: function(result) {
        console.log("Object Names:" + result);     
      }
 }); 

过滤器.php

...

 $myArray = $_REQUEST['objectsArray'];

 $qstring = "SELECT Name FROM objectlist WHERE ObjectID IN ($myArray)";

 $result = mysql_query($qstring);
 $results = array();

 while ($row = mysql_fetch_assoc($result,MYSQL_ASSOC))
 {
    $results[] = $row;
 }

...

我需要过滤器脚本来返回一个包含对象名称的 javascript 数组:

Example: objectNames = ['Chair', 'Console', 'Lamp', 'Ball', 'TV', ...]

请求数组时出现以下错误:

 "mysql_fetch_assoc() expects parameter 1 to be resource, boolean given in"

查询本身似乎有问题。

4

1 回答 1

0

将您的 $results 数组编码为 json 并打印它:

$myArray = $_REQUEST['objectsArray'];

//you must escape the array elements to prevent SQL injection
$n = count($myArray);
for ($i = 0; $i < $n; ++$i)
{
    $myArray[$i] = mysql_real_escape_string($myArray[$i]);
}
//join them with comma separator
$myArray = implode(',', $myArray);

$qstring = "SELECT Name FROM objectlist WHERE ObjectID IN ($myArray)";

while ($row = mysql_fetch_assoc($result,MYSQL_ASSOC))
{
    $results[] = $row["Name"];
}

$result = json_encode($results);
print $result;

在 javascript 中,您将获得名称数组。笔记:

  1. 您的代码容易受到 SQL 注入的攻击。$myArray在 SQL 请求中使用它们之前引用元素。

  2. mysql_* 函数已弃用。

于 2013-07-01T17:22:29.363 回答