2

ここで多くの提案があるため、PHP/MYSQL で準備済みステートメントを学習しようとしています。このエラーが発生し続けます:

Fatal error: Cannot pass parameter 2 by reference in C:\xampp\htdocs\blog\admin\create.php on line 57

誰でもこの問題を解決する方法を教えてもらえますか? 私は周りを検索してきましたが、これを解決するのに役立つものは何も見つかりません。

これが私のコードです:

<?php

require_once '../config.php';

// Check to see if the title was entered from new.php
if ($_POST['title'])
{
$title = $_POST['title'];
} else {

echo "No title was entered. Please go back. <br />";
}

// Check to see if the body was entered from new.php
if ($_POST['body'])
{
$body = $_POST['body'];
} else {

echo "No body was entered. Please go back. <br />";
}

// Get the date
$date = time();

// ID = NULL because of auto-increment
$id = 'NULL';

// If magic_quotes_gpc returns true then it's enabled on the serever and all variables   will be
// automatically escaped with slashes. If it isn't true then it's done manually

if (!get_magic_quotes_gpc())
{
$title = addslashes($title);
$body = addslashes($body);
$date = addslashes($date);
}

// Connect to the database

$db = new mysqli('localhost','username','password','database');

// Check to see if the connection works
if ($db->connect_errno)
{
echo 'Error: Could not connect to database. Please try again.';
exit;
}

// Prepared statement for a query to place something in the database
if(!($stmt = $db->prepare("insert into pages (id, title, body, date) values (?,?,?,?)")))
{
echo "Prepare failed: (" .$db->errno . ")" . $db->error;
}

// THIS IS THE LINE WHERE I'M RECEIVING THE ERROR!!!!!!!!
if (!$stmt->bind_param('isss', ''.$id.'', ''.$title.'',''.$body.'',''.$date.''))
{
echo "Binding parameters failed: (" .$stmt->errno. ")" . $stmt->error;
}

if (!$stmt->execute())
{
echo "Execute failed: (" .$stmt->errno . ") " .$stmt->error;
}

$db->close;

?>
4

1 に答える 1

1

対応するmysqli_stmt::bind_paramドキュメントを参照してください。より正確には、関数の定義を見てください。

bool mysqli_stmt::bind_param ( string $types , mixed &$var1 [, mixed &$... ] )

mixed &$var1部分に注意してください。これは基本的に、パラメーターが値ではなく参照によって渡されることを示しています (これは次のようになりますmixed $var1-&違いが生じます)。

ここで、呼び出しの問題は、参照によって変数ではなくを渡そうとしていることです。PHPドキュメントから:

次のものは参照によって渡すことができます:
- 変数、つまり foo($a)
- 新しいステートメント、つまり foo(new foobar())
- 関数から返される参照 [...]

簡単な解決策は、最初に初期化されていない変数を使用してバインドを呼び出すことです。次に、処理された入力データが割り当てられます。

// Prepared statement for a query to place something in the database
$stmt = $db->prepare("insert into pages (id, title, body, date) values (?,?,?,?)");

if ( !$stmt ) {
    echo "Prepare failed: (" .$db->errno . ")" . $db->error;
}

if ( !$stmt->bind_param('isss', $stmt_id, $stmt_title, $stmt_body, $stmt_date) ) {
    echo "Binding parameters failed: (" .$stmt->errno. ")" . $stmt->error;
}

$stmt_id    = (int) $id;
$stmt_title = (string) $title;
$stmt_body  = (string) $body;
$stmt_date  = (string) $date;

if ( !$stmt->execute() ) {
    echo "Execute failed: (" .$stmt->errno . ") " .$stmt->error;
}
于 2012-08-14T07:22:50.680 に答える