在构建基于Web的位置应用程序时,我一直很难尝试在我的服务器上更新我的SQL数据库。
我已经能够运行这个PHP文件来成功地从SQL中获取数据:
<?php
require("phpsqlajax_dbinfo.php");
function parseToXML($htmlStr)
{
$xmlStr=str_replace('<','<',$htmlStr);
$xmlStr=str_replace('>','>',$xmlStr);
$xmlStr=str_replace('"','"',$xmlStr);
$xmlStr=str_replace("'",''',$xmlStr);
$xmlStr=str_replace("&",'&',$xmlStr);
return $xmlStr;
}
// Opens a connection to a MySQL server
$connection=mysql_connect (localhost, $username, $password);
if (!$connection) {
die('Not connected : ' . mysql_error());
}
// Set the active MySQL database
$db_selected = mysql_select_db($database, $connection);
if (!$db_selected) {
die ('Can\'t use db : ' . mysql_error());
}
// Select all the rows in the markers table
$query = "SELECT * FROM markers WHERE 1";
$result = mysql_query($query);
if (!$result) {
die('Invalid query: ' . mysql_error());
}
header("Content-type: text/xml");
// Start XML file, echo parent node
echo '<markers>';
// Iterate through the rows, printing XML nodes for each
while ($row = @mysql_fetch_assoc($result)){
// ADD TO XML DOCUMENT NODE
echo '<marker ';
echo 'name="' . parseToXML($row['name']) . '" ';
echo 'address="' . parseToXML($row['address']) . '" ';
echo 'lat="' . $row['lat'] . '" ';
echo 'lng="' . $row['lng'] . '" ';
echo 'type="' . $row['type'] . '" ';
echo '/>';
}
// End XML file
echo '</markers>';
?>
但是当我尝试使用此代码更新相同的SQL时,它无法正常工作:
<?php
require("phpsqlajax_dbinfo.php");
// Opens a connection to a MySQL server
$connection=mysql_connect (localhost, $username, $password);
if (!$connection) {
die('Not connected : ' . mysql_error());
}
// Set the active MySQL database
$db_selected = mysql_select_db($database, $connection);
if (!$db_selected) {
die ('Can\'t use db : ' . mysql_error());
}
// Select all the rows in the markers table
$query = "UPDATE markers SET lat="32" WHERE 1";
$result = mysql_query($query);
if (!$result) {
die('Invalid query: ' . mysql_error());
}
?>
你能帮我弄清楚我做错了吗?
谢谢! 吉尔。
答案 0 :(得分:3)
看一下代码的这一部分:
$query = "UPDATE markers SET lat="32" WHERE 1";
您使用双引号打开查询字符串,在内部,您使用双引号引用lat
值。 Php认为您的开盘双引号已关闭。
解决此问题:使用单引号或转义内部双引号。见下面的例子:
$query = "UPDATE markers SET lat='32' WHERE 1"; //begin with double quotes and use single quotes inside
$query = 'UPDATE markers SET lat="32" WHERE 1';//begin with single quotes and use double quotes inside
- 醇>
$query = "UPDATE markers SET lat=\"32\" WHERE 1"; //begin with double quotes, but escape the inner double quotes
我建议你选择第一个选项,因为MySQL在其字符串中支持单引号。