728x90

(No version information available, might only be in Git)

sqlsrv_execute — Executes a statement prepared with sqlsrv_prepare()

Description ¶

bool sqlsrv_execute ( resource $stmt )

Executes a statement prepared with sqlsrv_prepare(). This function is ideal for executing a prepared statement multiple times with different parameter values.

Parameters ¶

stmt

A statement resource returned by sqlsrv_prepare().

Return Values ¶

Returns TRUE on success or FALSE on failure.

Examples ¶

Example #1 sqlsrv_execute() example

This example demonstrates how to prepare a statement with sqlsrv_prepare() and re-execute it multiple times (with different parameter values) using sqlsrv_execute().

<?php
$serverName 
"serverName\sqlexpress";
$connectionInfo = array( "Database"=>"dbName""UID"=>"username""PWD"=>"password");
$conn sqlsrv_connect$serverName$connectionInfo);
if( 
$conn === false) {
    die( 
print_rsqlsrv_errors(), true));
}

$sql "UPDATE Table_1
        SET OrderQty = ?
        WHERE SalesOrderID = ?"
;

// Initialize parameters and prepare the statement. 
// Variables $qty and $id are bound to the statement, $stmt.
$qty 0$id 0;
$stmt sqlsrv_prepare$conn$sql, array( &$qty, &$id));
if( !
$stmt ) {
    die( 
print_rsqlsrv_errors(), true));
}

// Set up the SalesOrderDetailID and OrderQty information. 
// This array maps the order ID to order quantity in key=>value pairs.
$orders = array( 1=>102=>203=>30);

// Execute the statement for each order.
foreach( $orders as $id => $qty) {
    
// Because $id and $qty are bound to $stmt1, their updated
    // values are used with each execution of the statement. 
    
if( sqlsrv_execute$stmt ) === false ) {
          die( 
print_rsqlsrv_errors(), true));
    }
}
?>

Notes ¶

When you prepare a statement that uses variables as parameters, the variables are bound to the statement. This means that if you update the values of the variables, the next time you execute the statement it will run with updated parameter values. For statements that you plan to execute only once, use sqlsrv_query().

See Also ¶

add a note add a note

User Contributed Notes 2 notes

tuxedobob ¶
1 year ago
If you're used to working with sqlsrv_query, you're probably used to the following flow:

<?php
$query 
"SELECT * FROM mytable WHERE id=?";
$result sqlsrv_query($conn$query, array($myID));
$row sqlsrv_fetch_array($result);
?>

Given that, you might think the following works:

<?php
$myID 
0;
$query "SELECT * FROM mytable WHERE id=?";
$stmt sqlsrv_prepare($conn$query, array(&$myID));
$result sqlsrv_execute($stmt);
$row sqlsrv_fetch_array($result);
?>

It doesn't. The reason is that sqlsrv_execute, as noted above, returns true or false on success or failure, respectively. The variable that has your result is actually $stmt. Change the last row to 

<?php
$row 
sqlsrv_fetch_array($stmt);
?>

and it works as expected.
vavra at 602 dot cz ¶
19 days ago
Attention!
If the sql contains INSERT, UPDATE or DELETE statements, the number of affected rows must be consumed. The sqlsrv_query returns a sql cursor that must be read to finish the transaction, if the result is non false. This same is valid for sqlsrv_execute. In this case the cursor must be also read using the prepared statement handle $smt.

Another solution is to place SET NOCOUNT ON at the top of the sqlsrv statement and all called procedures, functions and triggers.

We've practically observed it with sql statement with 500 inserts but only 368 was inserted without false returned. Prefixing by SET NOCOUNT ON or reading a cursor all rows were inserted.

See Processing Results (ODBC): https://docs.microsoft.com/en-us/sql/relational-databases/native-client-odbc-results/processing-results-odbc Each INSERT, UPDATE, and DELETE statement returns a result set containing only the number of rows affected by the modification. This count is made available when application calls SQLRowCount. ODBC 3.x applications must either call SQLRowCount to retrieve the result set or SQLMoreResults to cancel it. When an application executes a batch or stored procedure containing multiple INSERT, UPDATE, or DELETE statements, the result set from each modification statement must be processed using SQLRowCount or cancelled using SQLMoreResults. These counts can be cancelled by including a SET NOCOUNT ON statement in the batch or stored procedure.


'DB' 카테고리의 다른 글

SQL Database Performance Tuning for Developers  (0) 2018.04.10
[MSSQL]sqlsrv_fetch_array  (0) 2018.02.05
jQuery mouseleave()  (0) 2018.01.14
mysqli_result::fetch_array  (0) 2018.01.14
mysqli::query  (0) 2018.01.14
728x90

.mouseleave( handler )Returns: jQuery

Description: Bind an event handler to be fired when the mouse leaves an element, or trigger that handler on an element.

This method is a shortcut for .on('mouseleave', handler) in the first two variations, and .trigger('mouseleave') in the third.

The mouseleave JavaScript event is proprietary to Internet Explorer. Because of the event's general utility, jQuery simulates this event so that it can be used regardless of browser. This event is sent to an element when the mouse pointer leaves the element. Any HTML element can receive this event.

For example, consider the HTML:

1
2
3
4
5
6
7
8
9
10
<div id="outer">
Outer
<div id="inner">
Inner
</div>
</div>
<div id="other">
Trigger the handler
</div>
<div id="log"></div>
Figure 1 - Illustration of the rendered HTML

The event handler can be bound to any element:

1
2
3
$( "#outer" ).mouseleave(function() {
$( "#log" ).append( "<div>Handler for .mouseleave() called.</div>" );
});

Now when the mouse pointer moves out of the Outer <div>, the message is appended to <div id="log">. You can also trigger the event when another element is clicked:

1
2
3
$( "#other" ).click(function() {
$( "#outer" ).mouseleave();
});

After this code executes, clicks on Trigger the handler will also append the message.

The mouseleave event differs from mouseout in the way it handles event bubbling. If mouseout were used in this example, then when the mouse pointer moved out of the Inner element, the handler would be triggered. This is usually undesirable behavior. The mouseleave event, on the other hand, only triggers its handler when the mouse leaves the element it is bound to, not a descendant. So in this example, the handler is triggered when the mouse leaves the Outer element, but not the Inner element.

Additional Notes:

  • As the .mouseleave() method is just a shorthand for .on( "mouseleave", handler ), detaching is possible using .off( "mouseleave" ).

Example:

Show number of times mouseout and mouseleave events are triggered. mouseout fires when the pointer moves out of child element as well, while mouseleave fires only when the pointer moves out of the bound element.

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
<!doctype html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>mouseleave demo</title>
<style>
div.out {
width: 40%;
height: 120px;
margin: 0 15px;
background-color: #d6edfc;
float: left;
}
div.in {
width: 60%;
height: 60%;
background-color: #fc0;
margin: 10px auto;
}
p {
line-height: 1em;
margin: 0;
padding: 0;
}
</style>
<script src="https://code.jquery.com/jquery-1.10.2.js"></script>
</head>
<body>
<div class="out overout">
<p>move your mouse</p>
<div class="in overout"><p>move your mouse</p><p>0</p></div>
<p>0</p>
</div>
<div class="out enterleave">
<p>move your mouse</p>
<div class="in enterleave"><p>move your mouse</p><p>0</p></div>
<p>0</p>
</div>
<script>
var i = 0;
$( "div.overout" )
.mouseover(function() {
$( "p:first", this ).text( "mouse over" );
})
.mouseout(function() {
$( "p:first", this ).text( "mouse out" );
$( "p:last", this ).text( ++i );
});
var n = 0;
$( "div.enterleave" )
.mouseenter(function() {
$( "p:first", this ).text( "mouse enter" );
})
.mouseleave(function() {
$( "p:first", this ).text( "mouse leave" );
$( "p:last", this ).text( ++n );
});
</script>
</body>
</html>

Demo:


'DB' 카테고리의 다른 글

SQL Database Performance Tuning for Developers  (0) 2018.04.10
[MSSQL]sqlsrv_fetch_array  (0) 2018.02.05
[MSSQL]sqlsrv_execute  (0) 2018.02.05
mysqli_result::fetch_array  (0) 2018.01.14
mysqli::query  (0) 2018.01.14
728x90

(PHP 5, PHP 7)

mysqli_result::fetch_array -- mysqli_fetch_array — Fetch a result row as an associative, a numeric array, or both

설명 ¶

객체 기반 형식

mixed mysqli_result::fetch_array ([ int $resulttype = MYSQLI_BOTH ] )

절차식 형식

mixed mysqli_fetch_array ( mysqli_result $result [, int $resulttype = MYSQLI_BOTH ] )

Returns an array that corresponds to the fetched row or NULL if there are no more rows for the resultset represented by the result parameter.

mysqli_fetch_array() is an extended version of the mysqli_fetch_row() function. In addition to storing the data in the numeric indices of the result array, the mysqli_fetch_array() function can also store the data in associative indices, using the field names of the result set as keys.

Note이 함수가 반환하는 필드 이름은 대소문자를 구별합니다.

Note이 함수는 NULL 필드를 PHP NULL 값으로 설정합니다.

If two or more columns of the result have the same field names, the last column will take precedence and overwrite the earlier data. In order to access multiple columns with the same name, the numerically indexed version of the row must be used.

인수 ¶

result

순차 형식 전용: mysqli_query()나 mysqli_store_result()나 mysqli_use_result()가 반환한 결과셋 식별자.

resulttype

This optional parameter is a constant indicating what type of array should be produced from the current row data. The possible values for this parameter are the constants MYSQLI_ASSOCMYSQLI_NUM, or MYSQLI_BOTH.

By using the MYSQLI_ASSOC constant this function will behave identically to the mysqli_fetch_assoc(), while MYSQLI_NUM will behave identically to the mysqli_fetch_row() function. The final option MYSQLI_BOTH will create a single array with the attributes of both.

반환값 ¶

Returns an array of strings that corresponds to the fetched row or NULL if there are no more rows in resultset.

예제 ¶

Example #1 객체 기반 형식

<?php
$mysqli 
= new mysqli("localhost""my_user""my_password""world");

/* check connection */
if ($mysqli->connect_errno) {
    
printf("Connect failed: %s\n"$mysqli->connect_error);
    exit();
}

$query "SELECT Name, CountryCode FROM City ORDER by ID LIMIT 3";
$result $mysqli->query($query);

/* numeric array */
$row $result->fetch_array(MYSQLI_NUM);
printf ("%s (%s)\n"$row[0], $row[1]);

/* associative array */
$row $result->fetch_array(MYSQLI_ASSOC);
printf ("%s (%s)\n"$row["Name"], $row["CountryCode"]);

/* associative and numeric array */
$row $result->fetch_array(MYSQLI_BOTH);
printf ("%s (%s)\n"$row[0], $row["CountryCode"]);

/* free result set */
$result->free();

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

Example #2 절차식 형식

<?php
$link 
mysqli_connect("localhost""my_user""my_password""world");

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

$query "SELECT Name, CountryCode FROM City ORDER by ID LIMIT 3";
$result mysqli_query($link$query);

/* numeric array */
$row mysqli_fetch_array($resultMYSQLI_NUM);
printf ("%s (%s)\n"$row[0], $row[1]);

/* associative array */
$row mysqli_fetch_array($resultMYSQLI_ASSOC);
printf ("%s (%s)\n"$row["Name"], $row["CountryCode"]);

/* associative and numeric array */
$row mysqli_fetch_array($resultMYSQLI_BOTH);
printf ("%s (%s)\n"$row[0], $row["CountryCode"]);

/* free result set */
mysqli_free_result($result);

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

위 예제들의 출력:

Kabul (AFG)
Qandahar (AFG)
Herat (AFG)

참고 ¶

add a note add a note

User Contributed Notes 4 notes

Jammerx2 ¶
7 years ago
Putting multiple rows into an array:

<?php
$mysqli 
= new mysqli("localhost""my_user""my_password""world");

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

$query "SELECT Name, CountryCode FROM City ORDER by ID LIMIT 3";
$result $mysqli->query($query);

while(
$row $result->fetch_array())
{
$rows[] = $row;
}

foreach(
$rows as $row)
{
echo 
$row['CountryCode'];
}

/* free result set */
$result->close();

/* close connection */
$mysqli->close();
?>
Duncan ¶
4 years ago
Note that the array returned contains only strings.

E.g. when a MySQL field is an INT you may expect the field to be returned as an integer, however all fields are simply returned as strings.

What this means: use double-equals not triple equals when comparing numbers.

<?php
print $array_from_mysqli_fetch_array['id'] == "true" "false"// true
print $array_from_mysqli_fetch_array['id'] === "true" "false"// false
?>
meaje at msn dot com ¶
1 month ago
Please note that under PHP 5.x there appears to be a globally defined variable MYSQL_ASSOC, MYSQL_NUM, or MYSQL_BOTH which is the equivalent of MYSQLI_ASSOC, MYSQLI_NUM, or MYSQLI_BOTH!!! Yet under PHP 7.x this is NOT the case and will cause a failure in trying to retrieve the result set!

This can cause severe headaches when trying to find out why you are getting the error: 
- mysqli_result::fetch_array() expects parameter 1 to be integer, string given in 'Filename' on line 'XX'
ahouston at gmail dot com ¶
6 years ago
Here is a function to return an associative array with multiple columns as keys to the array.

This is a rough approximation of the perl DBI->fetchall_hashref function - something I find myself using quite a bit.

Given a simple mySQL table:

mysql> select * from city;
+----------------+----------------+------------------+------------+
| country        | region         | city             | hemisphere |
+----------------+----------------+------------------+------------+
| South Africa   | KwaZulu-Natal  | Durban           | South      |
| South Africa   | Gauteng        | Johannesburg     | South      |
| South Africa   | Gauteng        | Tshwane          | South      |
| South Africa   | KwaZulu-Natal  | Pietermaritzburg | South      |
| United Kingdom | Greater London | City of London   | North      |
| United Kingdom | Greater London | Wimbledon        | North      |
| United Kingdom | Lancashire     | Liverpool        | North      |
| United Kingdom | Lancashire     | Manchester       | North      |
+----------------+----------------+------------------+------------+

*Note* - this is a simple function that makes no attempt to keep multiple values per key, so you need to specify all the unique keys you require.

<?php

        $link 
mysqli_connect("localhost""username""password""test");
        
$result mysqli_query($link"select * from city");
        
$results_arr fetch_all_assoc($result,array('hemisphere','country','region','city'));

function 
fetch_all_assoc(& $result,$index_keys) {

  
// Args :    $result = mysqli result variable (passed as reference to allow a free() at the end
  //           $indexkeys = array of columns to index on
  // Returns : associative array indexed by the keys array

  
$assoc = array();             // The array we're going to be returning

  
while ($row mysqli_fetch_array($resultMYSQLI_ASSOC)) {

        
$pointer = & $assoc;            // Start the pointer off at the base of the array

        
for ($i=0$i<count($index_keys); $i++) {
        
                
$key_name $index_keys[$i];
                if (!isset(
$row[$key_name])) {
                        print 
"Error: Key $key_name is not present in the results output.\n";
                        return(
false);
                }

                
$key_val= isset($row[$key_name]) ? $row[$key_name]  : "";
        
                if (!isset(
$pointer[$key_val])) {               

                        
$pointer[$key_val] = "";                // Start a new node
                        
$pointer = & $pointer[$key_val];                // Move the pointer on to the new node
                
}
                else {
                        
$pointer = & $pointer[$key_val];            // Already exists, move the pointer on to the new node
                
}

        } 
// for $i

        // At this point, $pointer should be at the furthest point on the tree of keys
        // Now we can go through all the columns and place their values on the tree
        // For ease of use, include the index keys and their values at this point too

        
foreach ($row as $key => $val) {
                        
$pointer[$key] = $val;
        }

  } 
// $row

  /* free result set */
  
$result->close();

  return(
$assoc);               
}

?>


'DB' 카테고리의 다른 글

SQL Database Performance Tuning for Developers  (0) 2018.04.10
[MSSQL]sqlsrv_fetch_array  (0) 2018.02.05
[MSSQL]sqlsrv_execute  (0) 2018.02.05
jQuery mouseleave()  (0) 2018.01.14
mysqli::query  (0) 2018.01.14
728x90

(PHP 5, PHP 7)

mysqli::query -- mysqli_query — Performs a query on the database

설명 ¶

객체 기반 형식

mixed mysqli::query ( string $query [, int $resultmode = MYSQLI_STORE_RESULT ] )

절차식 형식

mixed mysqli_query ( mysqli $link , string $query [, int $resultmode = MYSQLI_STORE_RESULT ] )

Performs a query against the database.

For non-DML queries (not INSERT, UPDATE or DELETE), this function is similar to calling mysqli_real_query()followed by either mysqli_use_result() or mysqli_store_result().

Note:

In the case where you pass a statement to mysqli_query() that is longer than max_allowed_packet of the server, the returned error codes are different depending on whether you are using MySQL Native Driver (mysqlnd) or MySQL Client Library (libmysqlclient). The behavior is as follows:

  • mysqlnd on Linux returns an error code of 1153. The error message means "got a packet bigger thanmax_allowed_packet bytes".

  • mysqlnd on Windows returns an error code 2006. This error message means "server has gone away".

  • libmysqlclient on all platforms returns an error code 2006. This error message means "server has gone away".

인수 ¶

link

순차 형식 전용: mysqli_connect()나 mysqli_init()가 반환한 연결 식별자.

query

The query string.

Data inside the query should be properly escaped.

resultmode

Either the constant MYSQLI_USE_RESULT or MYSQLI_STORE_RESULT depending on the desired behavior. By default, MYSQLI_STORE_RESULT is used.

If you use MYSQLI_USE_RESULT all subsequent calls will return error Commands out of sync unless you call mysqli_free_result()

With MYSQLI_ASYNC (available with mysqlnd), it is possible to perform query asynchronously. mysqli_poll()is then used to get results from such queries.

반환값 ¶

Returns FALSE on failure. For successful SELECT, SHOW, DESCRIBE or EXPLAIN queries mysqli_query() will return a mysqli_result object. For other successful queries mysqli_query() will return TRUE.

변경점 ¶

버전설명
5.3.0Added the ability of async queries.

예제 ¶

Example #1 mysqli::query() example

객체 기반 형식

<?php
$mysqli 
= new mysqli("localhost""my_user""my_password""world");

/* check connection */
if ($mysqli->connect_errno) {
    
printf("Connect failed: %s\n"$mysqli->connect_error);
    exit();
}

/* Create table doesn't return a resultset */
if ($mysqli->query("CREATE TEMPORARY TABLE myCity LIKE City") === TRUE) {
    
printf("Table myCity successfully created.\n");
}

/* Select queries return a resultset */
if ($result $mysqli->query("SELECT Name FROM City LIMIT 10")) {
    
printf("Select returned %d rows.\n"$result->num_rows);

    
/* free result set */
    
$result->close();
}

/* If we have to retrieve large amount of data we use MYSQLI_USE_RESULT */
if ($result $mysqli->query("SELECT * FROM City"MYSQLI_USE_RESULT)) {

    
/* Note, that we can't execute any functions which interact with the
       server until result set was closed. All calls will return an
       'out of sync' error */
    
if (!$mysqli->query("SET @a:='this will not work'")) {
        
printf("Error: %s\n"$mysqli->error);
    }
    
$result->close();
}

$mysqli->close();
?>

절차식 형식

<?php
$link 
mysqli_connect("localhost""my_user""my_password""world");

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

/* Create table doesn't return a resultset */
if (mysqli_query($link"CREATE TEMPORARY TABLE myCity LIKE City") === TRUE) {
    
printf("Table myCity successfully created.\n");
}

/* Select queries return a resultset */
if ($result mysqli_query($link"SELECT Name FROM City LIMIT 10")) {
    
printf("Select returned %d rows.\n"mysqli_num_rows($result));

    
/* free result set */
    
mysqli_free_result($result);
}

/* If we have to retrieve large amount of data we use MYSQLI_USE_RESULT */
if ($result mysqli_query($link"SELECT * FROM City"MYSQLI_USE_RESULT)) {

    
/* Note, that we can't execute any functions which interact with the
       server until result set was closed. All calls will return an
       'out of sync' error */
    
if (!mysqli_query($link"SET @a:='this will not work'")) {
        
printf("Error: %s\n"mysqli_error($link));
    }
    
mysqli_free_result($result);
}

mysqli_close($link);
?>

위 예제들의 출력:

Table myCity successfully created.
Select returned 10 rows.
Error: Commands out of sync;  You can't run this command now

참고 ¶

add a note add a note

User Contributed Notes 21 notes

petrus.jvr ¶
6 years ago
When calling multiple stored procedures, you can run into the following error: "Commands out of sync; you can't run this command now".
This can happen even when using the close() function on the result object between calls. 
To fix the problem, remember to call the next_result() function on the mysqli object after each stored procedure call. See example below:

<?php
// New Connection
$db = new mysqli('localhost','user','pass','database');

// Check for errors
if(mysqli_connect_errno()){
echo 
mysqli_connect_error();
}

// 1st Query
$result $db->query("call getUsers()");
if(
$result){
     
// Cycle through results
    
while ($row $result->fetch_object()){
        
$user_arr[] = $row;
    }
    
// Free result set
    
$result->close();
    
$db->next_result();
}

// 2nd Query
$result $db->query("call getGroups()");
if(
$result){
     
// Cycle through results
    
while ($row $result->fetch_object()){
        
$group_arr[] = $row;
    }
     
// Free result set
     
$result->close();
     
$db->next_result();
}
else echo(
$db->error);

// Close connection
$db->close();
?>
theyranos at gmail dot com ¶
6 years ago
The cryptic "Couldn't fetch mysqli" error message can mean any number of things, including:

1. You're trying to use a database object that you've already closed (as noted by ceo at l-i-e dot com). Reopen your database connection, or find the call to <?php mysqli_close($db); ?> or <?php $db->close(); ?> and remove it.
2. Your MySQLi object has been serialized and unserialized for some reason. Define a wakeup function to re-create your database connection. http://php.net/__wakeup 
3. Something besides you closed your mysqli connection (in particular, see http://bugs.php.net/bug.php?id=33772)
4. You mixed OOP and functional calls to the database object. (So, you have <?php $db->query() ?> in the same program as <?php mysqli_query($db?>).
registrations at jdfoxmicro dot com ¶
7 years ago
I like to save the query itself in a log file, so that I don't have to worry about whether the site is live. 

For example, I might have a global function: 

<?php 
function UpdateLog $string $logfile )  { 
   
$fh fopen $logfile 'a' ); 
   
$fwrite $fh strftime ('%F %T %z')." ".$string."\n"
   
fclose $fh ); 

?> 

Then in my mysql function error trapper, something like this: 

<?php 
   $error_msg 
"Database error in [page].php / "
   
$error_msg .= mysqli_error $link )." / "
   
$error_msg .= $query
   
UpdateLog $error_msg DB_ERROR_LOG_FILE ); 
?> 

I also include the remote IP, user agent, etc., but I left it out of these code samples.  And have it e-mail me when an error is caught, too. 

Jeff
Beeners ¶
12 years ago
Stored Procedures.

Use mysqli_query to call a stored procedure that returns a result set. 

Here is a short example:

<?php
$mysqli 
= new mysqli(DBURI,DBUSER,DBPASS,DBNAME);
if (
mysqli_connect_errno()) 
{
  
printf("Connection failed: %s\n"mysqli_connect_error());
  exit();
}

$SQL "CALL my_procedure($something)";
if ( (
$result $mysqli->query($SQL))===false )
{
  
printf("Invalid query: %s\nWhole query: %s\n"$mysqli->error$SQL);
  exit();
}

while (
$myrow $result->fetch_array(MYSQLI_ASSOC))
{
  
$aValue[]=$myrow["a"];
  
$bValue[]=$myrow["b"];
}
$result->close();
$mysqli->close();
?>
I hope this saves someone some time.
joseph_robert_martinez at yahoo dot com ¶
3 years ago
For those using with replication enabled on their servers,  add a mysqli_select_db() statement before any data modification queries.  MySQL replication does not handle statements with db.table the same and will not replicate to the slaves if a scheme is not selected before.

Found out after days of resetting master and slaves on another site http://www.linuxquestions.org/questions/linux-server-73/mysql-5-1-not-replicating-properly-with-slave-823296/
NUNTIUS ¶
9 years ago
This may or may not be obvious to people but perhaps it will help someone. 

When running joins in SQL you may encounter a problem if you are trying to pull two columns with the same name. mysqli returns the last in the query when called by name. So to get what you need you can use an alias. 

Below I am trying to join a user id with a user role. in the first table (tbl_usr), role is a number and in the second is a  text name (tbl_memrole is a lookup table). If I call them both as role I get the text as it is the last "role" in the query. If I use an alias then I get both as desired as shown below. 

<?php 
$sql 
"SELECT a.uid, a.role AS roleid, b.role, 
            FROM tbl_usr a 
            INNER JOIN tbl_memrole b 
            ON a.role = b.id 
            "


    if (
$result $mysqli->query($sql)) { 
        while(
$obj $result->fetch_object()){ 
            
$line.=$obj->uid
            
$line.=$obj->role
            
$line.=$obj->roleid
        } 
    } 
    
$result->close(); 
    unset(
$obj); 
    unset(
$sql); 
    unset(
$query); 
    
?> 
In this situation I guess I could have just renamed the role column in the first table roleid and that would have taken care of it, but it was a learning experience.
omidbahrami1990 at gmail dot com ¶
1 month ago
This Is A Secure Way To Use mysqli::query
--------------------------------------------------------
<?php
function secured_query($sql)
{
$connection = new mysqli($host,$username,$password,$name);
    
if (
$connection->connect_error
die(
"Secured");
    
$result=$connection->query($sql);
if(
$result==FALSE)
die(
"Secured");
    
$connection->close();        
return 
$result;    
}
/*
$host ---> DataBase IP Address
$username ---> DataBase Username
$password ---> DataBase Password
$name ---> DataBase Name
*/
?>
ceo at l-i-e dot com ¶
9 years ago
Translation:
"Couldn't fetch mysqli"

You closed your connection and are trying to use it again.

It has taken me DAYS to figure out what this obscure error message means...
Anonymous ¶
9 months ago
I don't know is it bug or something , then first I write it here . Query SHOW with MYSQLI_USE_RESULT option don't show num_rows :
<?php
SHOW TABLES LIKE 
[some table], MYSQLI_USE_RESULT
num_rows 
// shows 0 !
?>
ahmed dot 3abdolah at gmail dot com ¶
3 years ago
Hi, i created function that add  a new table using array , i work with it on my projects ...
<?PHP
                   
/* this function was learned from PHP.net */
function array_keys_exist(&$key,array &$array){
                
$keys split("\|",$key);
                foreach(
$keys as $key_s){
                    if(
array_key_exists($key_s$array)) return true;
                    }
                return 
false;
            }
/*and this is my function */
array_create_table(array &$array){
        if(
is_array($array)){
           
$key "table|rows|values";    
        
$info "";
        if(
array_keys_exist($key,$array)){
        if(
is_array($array["rows"]) and is_array($array["values"]) ){
                                         
            if(
count($array["rows"]) == count($array["values"])) { 
                        for(
$i=0$i<=count($array["rows"]); $i++){
    
$info $info." ".$array["rows"][$i]." ".$array["values"][$i]." NOT NULL ";
            if(
$i count($array["rows"])-$info $info.","
                    }
    
$query "CREATE TABLE ".$this->private_tables_name.$array["table"]." ";
    
$query .= "( id INT NOT NULL AUTO_INCREMENT PRIMARY KEY, ".$info." )";
                    return 
$query;    
                        }
                        }
                }else return 
"Error";
                    }
            }

/* the use is simple */
$database = new database(); // connection to database i used mysqli ... 
$array = array("table"=>"MRO""rows"=>array("name","username") , "values" => array("VARCHAR (50) "," VARCHAR (50) ") );

$query array_create_table($array); // convert and create the query ...
if($database->query($query)) echo "Work"; else echo "Error"// result : work

?>
jcwebb at dicoe dot com ¶
10 years ago
When building apps, i like to see the whole statement when if fails.
<?php
$q
="SELECT somecolumn FROM sometable"//some instruction
$r=mysqli_query($DBlink,$q) or die(mysqli_error($DBlink)." Q=".$q);
?>
If theres an error (like my numerous typing mistakes) this shows the entire instruction.
Good for development (not so good on production servers - simply find and replace when finished: $r=mysqli_query($DBlink,$q); )

Hope it helps. Jon
marcus at synchromedia dot co dot uk ¶
6 years ago
The exact type returned by a successful query is mysqli_result.
thomas dekker ¶
7 years ago
Building inserts can be annoying. This helper function inserts an array into a table, using the key names as column names:

<?php
  
private function store_array (&$data$table$mysqli)
  {
    
$cols implode(','array_keys($data));
    foreach (
array_values($data) as $value)
    {
      isset(
$vals) ? $vals .= ',' $vals '';
      
$vals .= '\''.$this->mysql->real_escape_string($value).'\'';
    }
    
$mysqli->real_query('INSERT INTO '.$table.' ('.$cols.') VALUES ('.$vals.')');
  }
?>

Adapt it to your specific needs.
hunreal at gmail dot com ¶
13 years ago
Use difference collation/character for connect, result.
You can set the collation before your query.

E.g. want to set the collation to utf8_general_ci 
you can send the query "SET NAMES 'utf8'" first

<?php
$mysqli
=new mysqli('localhost''root''password''test');
$mysqli->query("SET NAMES 'utf8'");
$q=$mysqli->query("select * from test");
while(
$r=$q->fetch_assoc()) {
    
print_r($r);
}
?>

There are many variables about character settings.
By running sql command, SHOW VARIABLES LIKE 'char%'; 
There are some variables control the character usage.

character_set_client
character_set_connection
character_set_database
character_set_results
character_set_server
character_set_system

Also SET NAMES can repalce with one or some settings like SET character_set_results='utf8';
info at ff dot net ¶
11 years ago
Calling Stored Procedures

Beeners' note/example will not work. Use mysqli_multi_query() to call a Stored Procedure. SP's have a second result-set which contains the status: 'OK' or 'ERR'. Using mysqli_query will not work, as there are multiple results.

<?php
$sQuery
="CALL SomeSP('params')";
if(!
mysqli_multi_query($sqlLink,$sQuery)) {
  
// your error handler 
}
$sqlResult=mysqli_store_result($sqlLink);

if(
mysqli_more_results($this->sqlLink))//Catch 'OK'/'ERR'
  
while(mysqli_next_result($this->sqlLink));
?>

You will have to rewrite/expand this a bit for more usability of course, but it's just an example.
andrey at php dot net ¶
12 years ago
WARNING: This function was buggy on 64bit machines till 5.0.5. Affected versions 5.0.0-5.0.4. The problem appears when a value for the third parameter is passed - this will lead to instant FALSE returned by the function. Therefore if you need to use unbuffered query don't use this function with the aforementioned versions but you mysqli_real_query() and mysqli_use_result().
If you have the rights to patch you PHP installation the fix is easy:
In file ext/mysqli/myslqi_nonapi.c, function PHP_FUNCTION(mysqli_query)
change
unsigned int resultmode=0;
to
unsigned long resultmode=0;

Thanks!
Igor ¶
9 years ago
mysqli::query() can only execute one SQL statement.

Use mysqli::multi_query() when you want to run multiple SQL statements within one query.
popere dot noel at yahoo dot com ¶
4 years ago
or you could just extend the class...
in my case i already had a wraper for the db so something like this was easy :

public function  free($result) {
  
  $result->free_result();
$this->link->next_result();
}

just tried it and it works like a charm ;-)
David Marcus ¶
8 months ago
If you use the default resultmode of MYSQLI_STORE_RESULT, you can call $mysqli->close() right after $mysqli->query and before you use mysqli_result. This reduces the time the connection is open, which can help if the database server has a limit on how many connections there can be.
blinki bill, argodak at yahoo dot com ¶
4 years ago
Recently I had puzzling problem when performing DML queries, update in particular, each time a update query is called and then there are some more queries to follow this error will show on the page and go in the error_log:
"Fatal error:  Exception thrown without a stack frame in Unknown on line 0"

The strange thing is that all queries go through just fine so it didn't make much sense:

$update = mysqli_query($connection, $query_string);
if(!$update){
echo 'Houston we have a problem '.mysqli_error($connection);
exit;
}

In the above example "$update" is "true", mysqli_error() is empty and of course the update operation goes through, however the nasty super cryptic error appears on the page.
What makes even less sense to me is how I fixed it - just called "mysqli_free_result" after the update query and the problem was gone, however because mysqli_free_result is not supposed to be called after DML queries (to free what, a boolean? lol) it needs to be wrapped in a try catch block:

try{
mysqli_free_result($update);
}catch (Exception $e){
//do nothing
}

So, I don't know why but it seems that when DML queries are responsible for:
"Fatal error:  Exception thrown without a stack frame in Unknown on line 0"
calling "mysqli_free_result" after the query seems to be fixing the issue
antiriad at gmail dot com ¶
10 years ago
this is a variant of mysqli_query that returns output parameters as a rowset.

<?php
  
function mysqli_exec($link$command)
  {
      
$select '';
      
$i2 0;
      
      while (
true)
      {
      
$i1 strpos($command'@'$i2);
      
      if (
$i1 === false)
          break;
          
      
$field '';
      
$i2 $i1 1;
      
      while (
$i2 strlen($command) && 
          (
$command[$i2] >= '0' && $command[$i2] <= '9') ||
          (
$command[$i2] >= 'A' && $command[$i2] <= 'Z') ||
          (
$command[$i2] >= 'a' && $command[$i2] <= 'z') ||
          (
$command[$i2] == '_'))
          
$i2++;
          
      
$field substr($command$i1 1$i2 $i1 1);
          
      if (
strlen($select) == 0)
        
$select "select @{$field} as $field";
      else                    
          
$select $select ", @{$field} as $field";
      }
      
      if (
strlen($select) > 0)
      {      
        
mysqli_query($link$command);
        return 
mysqli_query($link$select);
      }
      else
        return 
mysqli_query($link$command);
  }
?>

an example:

<?php
  $link 
mysqli_connect('localhost''myusr''mypass') or die ('Error connecting to mysql: ' mysqli_error($link));
  
mysqli_select_db($link'clips');
  
  
$user_name 'test';
  
$result mysqli_exec($link"call do_user_login('$user_name', @session_id, @msg)");
  
  while (
$row mysqli_fetch_assoc($result))
  {
    echo 
"session_id : {$row['session_id']} <br>";
    echo 
"msg        : {$row['msg']} <br>";
  }
?>


'DB' 카테고리의 다른 글

SQL Database Performance Tuning for Developers  (0) 2018.04.10
[MSSQL]sqlsrv_fetch_array  (0) 2018.02.05
[MSSQL]sqlsrv_execute  (0) 2018.02.05
jQuery mouseleave()  (0) 2018.01.14
mysqli_result::fetch_array  (0) 2018.01.14

+ Recent posts