Wednesday 11 July 2018

mysqli_multi_query() function

mysqli_multi_query() function / mysqli::multi_query

The mysqli_multi_query() function / mysqli::multi_query performs one or more queries against the database. The queries are separated with a semicolon.
Syntax:
Object oriented style
bool mysqli::multi_query ( string $query )
Procedural style
bool mysqli_multi_query ( mysqli $link , string $query )
Parameter:
NameDescriptionRequired / Optional
linkA link identifier returned by mysqli_connect() or mysqli_init()Required for procedural style only and Optional for Object oriented style
queryThe query, as a string.
Data inside the query should be properly escaped.
Required for procedural style only and Optional for Object oriented style
Usage: Procedural style
mysqli_multi_query(connection,query);
Parameter:
NameDescriptionRequired/Optional
connectionSpecifies the MySQL connection to useRequired
querySpecifies one or more queries, seperated with semicolonRequired
Return value:
Returns FALSE if the first statement failed. To retrieve subsequent errors from other statements you have to call mysqli_next_result() first.
Version: PHP 5, PHP 7
Example of object oriented style:
<?php
$mysqli = new mysqli("localhost", "user123", "datasoft123", "hr");

/* check connection */
if (mysqli_connect_errno()) {
    printf("Connect failed: %s\n", mysqli_connect_error());
    exit();
}

$query  = "SELECT CURRENT_USER();";
$query .= "SELECT Name FROM City ORDER BY ID LIMIT 20, 5";

/* execute multi query */
if ($mysqli->multi_query($query)) {
    do {
        /* store first result set */
        if ($result = $mysqli->store_result()) {
            while ($row = $result->fetch_row()) {
                printf("%s\n", $row[0]);
            }
            $result->free();
        }
        /* print divider */
        if ($mysqli->more_results()) {
            printf("-----------------\n");
        }
    } while ($mysqli->next_result());
}

/* close connection */
$mysqli->close();
?>

Output:
user1@% -----------------
Example of procedural style:
<?php
$link = mysqli_connect("localhost", "user1", "datasoft123", "hr");

/* check connection */
if (mysqli_connect_errno()) {
    printf("Connect failed: %s\n", mysqli_connect_error());
    exit();
}

$query  = "SELECT CURRENT_USER();";
$query .= "SELECT Name FROM City ORDER BY ID LIMIT 20, 5";

/* execute multi query */
if (mysqli_multi_query($link, $query)) {
    do {
        /* store first result set */
        if ($result = mysqli_store_result($link)) {
            while ($row = mysqli_fetch_row($result)) {
                printf("%s\n", $row[0]);
            }
            mysqli_free_result($result);
        }
        /* print divider */
        if (mysqli_more_results($link)) {
            printf("-----------------\n");
        }
    } while (mysqli_next_result($link));
}

/* close connection */
mysqli_close($link);
?>

Sample Output:
user1@% -----------------

0 comments:

Post a Comment