PHP 更新预准备语句

2022-08-30 15:14:57

我正在尝试学习使用预准备语句的正确方法,以避免SQL注入等。

当我执行脚本时,我从脚本中收到一条消息,说0行插入,我希望这说1行插入,当然更新表。我不完全确定我准备好的陈述,因为我做了一些研究,我的意思是它因例子而异。

当我更新我的表时,我需要声明所有字段还是只更新一个字段?

任何信息都会非常有帮助。

索引.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>

类/类。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);

    }                   
}

答案 1
$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);

回答您的问题:

我从脚本中收到一条消息,指出插入了 0 行

这是因为您在绑定参数时颠倒了参数的顺序。因此,您正在 id 列中搜索$content的数值,该数值可能被解释为 0。因此,UPDATE 的 WHERE 子句与零行匹配。

我需要声明所有字段还是只更新一个字段?

可以在 UPDATE 语句中只设置一列。其他列将不会更改。


答案 2

事实上,预准备的陈述并不像其他答案中所示的那样复杂。恰恰相反,预准备语句是执行查询的最简单、最整洁的方法。以您的案例为例。您只需要三行代码!

$stmt = $this->mysqli->prepare("UPDATE datadump SET content=? WHERE id=?");
$stmt->bind_param('si', $content, $id);
$stmt->execute();
  1. 使用占位符准备查询
  2. 然后绑定变量(提示:您可以安全地对任何变量使用“s”)
  3. 然后执行查询。

就像1-2-3一样简单!

请注意,手动检查每个函数的结果只是疯狂的,它只会使您的代码膨胀而没有任何好处。相反,您应该将mysqli配置为自动报告错误。为此,请在 /之前添加以下行:mysqli_connect()new mysqli

mysqli_report(MYSQLI_REPORT_ERROR | MYSQLI_REPORT_STRICT);

结果将与trigger_error几乎相同,但没有一行额外的代码!如您所见,如果使用得当,代码可以非常简单明了。


推荐