如何使用bind_result与get_result的示例

我想看一个示例,该示例如何使用bind_resultvs. 进行调用,get_result以及一个使用另一个调用的目的。

也是使用每种方法的利弊。

使用两者之一的局限性是什么?

回答:

对我来说,决定性的因素是我是否使用调用查询列*

回答:

// Use bind_result() with fetch()

$query1 = 'SELECT id, first_name, last_name, username FROM table WHERE id = ?';

回答:

// Use get_result() with fetch_assoc() 

$query2 = 'SELECT * FROM table WHERE id = ?';


回答:

$query1 = 'SELECT id, first_name, last_name, username FROM table WHERE id = ?';

$id = 5;

if($stmt = $mysqli->prepare($query)){

/*

Binds variables to prepared statement

i corresponding variable has type integer

d corresponding variable has type double

s corresponding variable has type string

b corresponding variable is a blob and will be sent in packets

*/

$stmt->bind_param('i',$id);

/* execute query */

$stmt->execute();

/* Store the result (to get properties) */

$stmt->store_result();

/* Get the number of rows */

$num_of_rows = $stmt->num_rows;

/* Bind the result to variables */

$stmt->bind_result($id, $first_name, $last_name, $username);

while ($stmt->fetch()) {

echo 'ID: '.$id.'<br>';

echo 'First Name: '.$first_name.'<br>';

echo 'Last Name: '.$last_name.'<br>';

echo 'Username: '.$username.'<br><br>';

}

/* free results */

$stmt->free_result();

/* close statement */

$stmt->close();

}

/* close connection */

$mysqli->close();

回答:

$query2 = 'SELECT * FROM table WHERE id = ?'; 

$id = 5;

if($stmt = $mysqli->prepare($query)){

/*

Binds variables to prepared statement

i corresponding variable has type integer

d corresponding variable has type double

s corresponding variable has type string

b corresponding variable is a blob and will be sent in packets

*/

$stmt->bind_param('i',$id);

/* execute query */

$stmt->execute();

/* Get the result */

$result = $stmt->get_result();

/* Get the number of rows */

$num_of_rows = $result->num_rows;

while ($row = $result->fetch_assoc()) {

echo 'ID: '.$row['id'].'<br>';

echo 'First Name: '.$row['first_name'].'<br>';

echo 'Last Name: '.$row['last_name'].'<br>';

echo 'Username: '.$row['username'].'<br><br>';

}

/* free results */

$stmt->free_result();

/* close statement */

$stmt->close();

}

/* close connection */

$mysqli->close();


正如你所看到的,你不能使用bind_result*。但是,get_result两者均可使用,但bind_result更简单,并且消除了一些麻烦$row['name']


回答:

  • 更简单
  • 不用惹 $row['name']
  • 用途 fetch()

  • 不适用于使用 *


回答:

  • 适用于所有SQL语句
  • 用途 fetch_assoc()

  • 必须搞乱数组变量 $row[]
  • 不那么整齐
  • 需要MySQL本机驱动程序(mysqlnd)

以上是 如何使用bind_result与get_result的示例 的全部内容, 来源链接: utcz.com/qa/412409.html

回到顶部