mysqli_stmt::store_result

mysqli_stmt_store_result

(PHP 5)

mysqli_stmt::store_result -- mysqli_stmt_store_result Передает результирующий набор запроса на клиента

Описание

Объектно-ориентированный стиль

bool mysqli_stmt::store_result ( void )

Процедурный стиль

bool mysqli_stmt_store_result ( mysqli_stmt $stmt )

Функцию mysqli_stmt_store_result() нужно вызывать после выполнения запросов, возвращающих результирующий набор (SELECT, SHOW, DESCRIBE, EXPLAIN), и только если требуется сохранить результирующий набор целиком на клиенте. Далее последовательные вызовы mysqli_stmt_fetch() будут возвращать уже буферизованные данные.

Замечание:

В остальных случаях вызывать mysqli_stmt_store_result() нет необходимости. Но если такой вызов совершен, ничего страшного не случится, это не повлияет на производительность и целостность данных. Чтобы убедиться, что запрос вернул результирующий набор, можно воспользоваться функцией mysqli_stmt_result_metadata(), которая в этом случае вернет NULL.

Список параметров

stmt

Только для процедурного стиля: Идентификатор выражения, полученный с помощью mysqli_stmt_init().

Возвращаемые значения

Возвращает TRUE в случае успешного завершения или FALSE в случае возникновения ошибки.

Примеры

Пример #1 Объектно-ориентированный стиль

<?php
/* Открываем соединение */
$mysqli = new mysqli("localhost""my_user""my_password""world");

/* Проверяем соединение */
if (mysqli_connect_errno()) {
    
printf("Не удалось подключиться: %s\n"mysqli_connect_error());
    exit();
}

$query "SELECT Name, CountryCode FROM City ORDER BY Name LIMIT 20";
if (
$stmt $mysqli->prepare($query)) {

    
/* выполняем запрос */
    
$stmt->execute();

    
/* передаем результат */
    
$stmt->store_result();

    
printf("Количество строк: %d.\n"$stmt->num_rows);

    
/* очищаем результат */
    
$stmt->free_result();

    
/* закрываем запрос */
    
$stmt->close();
}

/* закрываем соединение */
$mysqli->close();
?>

Пример #2 Процедурный стиль

<?php
/* Открываем соединение */
$link mysqli_connect("localhost""my_user""my_password""world");

/* Проверяем соединение */
if (mysqli_connect_errno()) {
    
printf("Не удалось подключиться: %s\n"mysqli_connect_error());
    exit();
}

$query "SELECT Name, CountryCode FROM City ORDER BY Name LIMIT 20";
if (
$stmt mysqli_prepare($link$query)) {

    
/* выполняем запрос */
    
mysqli_stmt_execute($stmt);

    
/* передаем результат */
    
mysqli_stmt_store_result($stmt);

    
printf("Количество строк: %d.\n"mysqli_stmt_num_rows($stmt));

    
/* очищаем результат */
    
mysqli_stmt_free_result($stmt);

    
/* закрываем запрос */
    
mysqli_stmt_close($stmt);
}

/* закрываем соединение */
mysqli_close($link);
?>

Результат выполнения данных примеров:

Количество строк: 20.

Смотрите также

  • mysqli_prepare() - Подготавливает SQL выражение к выполнению
  • mysqli_stmt_result_metadata() - Возвращает метаданные результирующей таблицы подготавливаемого запроса
  • mysqli_stmt_fetch() - Связывает результаты подготовленного выражения с переменными

Коментарии

fetch_fields() does not seem to be compatible with prepared statements like those used here. Makes things difficult if you're using a wildcard. I guess that's better for security in some obscure way.
2006-02-20 14:25:33
http://php5.kiev.ua/manual/ru/mysqli-stmt.store-result.html
In response to the note below me for the claim that mysqli_fetch_fields is not compatible with prepared statements.

This is untrue, it is but you have to do a little extra work. I would recommend you use a wrapper function of some sort to take care of the dirty business for you but the basic idea is the same.

Let's assume you have a prepared statement like so. I am going to use the procedural way for simplicity but the same idea can be done using the object oriented way:

<?php

// Connect Blah Blah Blah.

$connectionLink mysqli_connect( .... );

// Query Blab Blah Blah.

$query "Select `Id` From `Table` Where `Id` = ?";

// Prepare Query.

$prepareObject mysqli_prepare$connectionLink $query );

// Bind Query.

mysqli_stmt_bind_param$prepareObject 'i' );

// Execute Query.

mysqli_stmt_execute$prepareObject );

?>

Now all the above is fine and dandy to anyone familiar with using prepared statements, but if I want to use mysqli_fetch_fields or any other function that fetches meta information about a result set but does not work on prepared statements?

Enter the special function mysqli_stmt_result_metadata. It can be used as follows, assume the following code segment immediatley follows that of the above code segment.

<?php

$metaData 
mysqli_stmt_result_metadata$prepareObject );

// I Can Now Call mysqli_fetch_fields using the variable
// $metaData as an argument.

$fieldInfo mysqli_fetch_fields$metaData );

// Or Even This.

$fieldInfo mysqli_num_fields$metaData );

?>

Take a look at the Manual entry for mysqli_stmt_result_metatdata function for full details on how to expose it with prepared statements.

Good Luck,
2006-12-27 17:58:09
http://php5.kiev.ua/manual/ru/mysqli-stmt.store-result.html
The wording above, in the initial description of the function, can be confusing (quoted below). 

"You must call mysqli_stmt_store_result() for every query that successfully produces a result set (SELECT, SHOW, DESCRIBE, EXPLAIN), and only if you want to buffer the complete result set by the client, so that the subsequent mysqli_stmt_fetch() call returns buffered data. "

I had initially understood the part saying "and only if you want to buffer..." to mean that it was only necessary to call this function if you wanted to buffer the result set.  This, however, is not the case, and the misunderstanding caused me quite a bit of grief. 

So, to clarify for anyone suffering from the same misunderstanding, you ALWAYS must call this function for every query that produces a result set (as listed in the parentheses of the quote above), as far as I can tell.
2008-10-28 21:14:59
http://php5.kiev.ua/manual/ru/mysqli-stmt.store-result.html
When using prepare to prepare a statement to retrieve LOBs the method order matters.
Also, method 'store_result()' must be called and be called in correct order.
Failure to observe this causes PHP/MySQLi to crash or return an erroneous value.
The proper procedure order is: prepare -> execute -> store_result -> bind -> fetch
The following applies to a Windows SBS server running IIS/6.0 + PHP 5.2.1
MySQL server version 5.0.26-community-nt, client version 5.0.51a

<?php
$database 
"test" ;
$table "test" ;
$column "flongblob" ;
$mysqli = new mysqli("localhost""root""<secret_password>"$database);
// Proper procedure order: prepare -> execute -> store_result -> bind -> fetch
$stmt $mysqli->prepare("SELECT `$column` FROM `$table`") ;
$stmt->execute();
$stmt->store_result(); 
// Fetch a record. Bind the result to a variable called 'value' and fetch.
$stmt->bind_result($value) ;
$res $stmt->fetch() ;
if(
$res)
{
 
// strlen($value) should have LOB length, not 1 or zero.
 
echo "$column data length is " strlen($value) . " bytes.\n" ;
}
else
{
  echo ((
false !== $res) ? "End of data" $stmt->error) . "\n" ;
  break ;
}
// Fetch another record.
$res $stmt->fetch() ;
if(
$res)
{
 
// strlen($value) should have LOB length, not 1 or zero.
 
echo "$column data length is " strlen($value) . " bytes.\n" ;
}
else
{
  echo ((
false !== $res) ? "End of data" $stmt->error) . "\n" ;
  break ;
}
$stmt->close() ;
$mysqli->close() ;
exit ;
?>

The above example should output:
  flongblob data length is 932353 bytes.
  flongblob data length is 867300 bytes.

If wrong procedure order MySQLi crashes or outputs:
  flongblob data length is 0 bytes.
  flongblob data length is 867300 bytes.
2010-07-30 19:16:45
http://php5.kiev.ua/manual/ru/mysqli-stmt.store-result.html
Lost some hours to find out how to save multirows result of mysqli_stmt to array, when get_result prohibited.
Idea, which works is using store_result
            $stmt=$this->mysqli->prepare("SELECT surname, name, user_id, last_m_own, last_m_str, role FROM users WHERE referer_id=(?)");
                $stmt->bind_param('i',$referer_id);
                $stmt->execute();
                $stmt->store_result();
                $stmt->bind_result($ans['surname'], $ans['name'], $ans['user_id'], $ans['last_m_own'], $ans['last_m_str'], $ans['role']);
                $j=$stmt->num_rows;
                for ($i=0;$i<$j;$i++){
                    $stmt->data_seek($i);
                    $stmt->fetch();
                    foreach ($ans as $key=>$value){
                        $result[$i][$key]=$value;
                    }
                }
Hope will helpful for such newbies as me
2015-06-26 13:18:34
http://php5.kiev.ua/manual/ru/mysqli-stmt.store-result.html

    Поддержать сайт на родительском проекте КГБ