001*_*221 20 php mysqli prepared-statement sql-update
嗨,我正在尝试学习使用预准备语句的正确方法,以避免SQL注入等.
当我执行脚本时,我从我的脚本中得到一条消息,说0行已插入,我希望这可以说1行插入,当然更新表.我对我准备好的陈述并不完全确定,因为我做了一些研究,我的意思是它因例子而异.
当我更新我的表时,我需要声明所有字段还是只更新一个字段?
任何信息都会非常有用.
的index.php
<div id="status"></div>
<div id="maincontent">
<?php //get data from database.
require("classes/class.Scripts.inc");
$insert = new Scripts();
$insert->read();
$insert->update();?>
<form action="index2.php" enctype="multipart/form-data" method="post" name="update" id="update">
<textarea name="content" id="content" class="detail" spellcheck="true" placeholder="Insert article here"></textarea>
<input type="submit" id="update" name="update" value="update" />
</div>
Run Code Online (Sandbox Code Playgroud)
类/ class.Scripts.inc
public function update() {
if (isset($_POST['update'])) {
$stmt = $this->mysqli->prepare("UPDATE datadump SET content=? WHERE id=?");
$id = 1;
/* Bind our params */
$stmt->bind_param('is', $id, $content);
/* Set our params */
$content = isset($_POST['content']) ? $this->mysqli->real_escape_string($_POST['content']) : '';
/* Execute the prepared Statement */
$stmt->execute();
printf("%d Row inserted.\n", $stmt->affected_rows);
}
}
Run Code Online (Sandbox Code Playgroud)
Bil*_*win 29
$stmt = $this->mysqli->prepare("UPDATE datadump SET content=? WHERE id=?");
/* BK: always check whether the prepare() succeeded */
if ($stmt === false) {
trigger_error($this->mysqli->error, E_USER_ERROR);
return;
}
$id = 1;
/* Bind our params */
/* BK: variables must be bound in the same order as the params in your SQL.
* Some people prefer PDO because it supports named parameter. */
$stmt->bind_param('si', $content, $id);
/* Set our params */
/* BK: No need to use escaping when using parameters, in fact, you must not,
* because you'll get literal '\' characters in your content. */
$content = $_POST['content'] ?: '';
/* Execute the prepared Statement */
$status = $stmt->execute();
/* BK: always check whether the execute() succeeded */
if ($status === false) {
trigger_error($stmt->error, E_USER_ERROR);
}
printf("%d Row inserted.\n", $stmt->affected_rows);
Run Code Online (Sandbox Code Playgroud)
回答你的问题:
我从我的脚本中收到一条消息,说0行已插入
这是因为您在绑定参数时反转了参数的顺序.所以你在id列中搜索$ content的数值,这可能被解释为0.所以UPDATE的WHERE子句匹配零行.
我需要声明所有字段还是只更新一个字段?
在UPDATE语句中只设置一列是可以的.其他列不会更改.
You*_*nse 10
事实上,准备好的语句并不像其他答案中显示的那样复杂。恰恰相反,准备好的语句是执行查询的最简单和整洁的方式。以你的情况为例。你只需要三行代码!
$stmt = $this->mysqli->prepare("UPDATE datadump SET content=? WHERE id=?");
$stmt->bind_param('si', $content, $id);
$stmt->execute();
Run Code Online (Sandbox Code Playgroud)
就像 1-2-3 一样简单!
请注意,手动检查每个函数的结果是很疯狂的,它只会使您的代码膨胀而没有任何好处。相反,您应该将 mysqli 配置为一次自动报告错误。为此,请在mysqli_connect()/之前添加以下行new mysqli:
mysqli_report(MYSQLI_REPORT_ERROR | MYSQLI_REPORT_STRICT);
Run Code Online (Sandbox Code Playgroud)
结果将与 trigger_error 几乎相同,但没有额外的一行代码!如您所见,如果使用得当,代码可以非常简单和简洁。