Simple MySQL examples

Some simple MySQL examples. I hope easy to understand.

/*
** Connect to database:
*/
 
// connect to the database
$con = mysql_connect('localhost','testuser','testpassword') 
    or die('Could not connect to the server!');
 
// select a database:
mysql_select_db('testdb') 
    or die('Could not select a database.');
 
 
/*
** Fetch some rows from database:
*/
 
// read username from URL
$username = $_GET['username'];
 
// escape bad chars:
$username = mysql_real_escape_string($username);
 
// build query:
$sql = "SELECT id, timestamp, text FROM logs WHERE username = '$username'";
 
// execute query:
$result = mysql_query($sql) 
    or die('A error occured: ' . mysql_error());
 
// get result count:
$count = mysql_num_rows($result);
print "Showing $count rows:<hr/>";
 
// fetch results:
while ($row = mysql_fetch_assoc($result)) {
    $row_id = $row['id'];
    $row_text = $row['text'];
 
    print "#$row_id: $row_text<br/>\n";
}
 
 
/*
** Do a insert query:
*/
 
// create SQL query:
$sql = "INSERT INTO logs (timestamp, text) VALUES (NOW(), 'some text here!')";
 
// execute query:
$result = mysql_query($sql) or die('A error occured: ' . mysql_error());
 
// get the new ID of the last insert command
$new_id = mysql_insert_id();
 
 
 
/*
** Do a update query:
*/
 
// create SQL query:
$sql = "UPDATE logs SET text='New text!' WHERE id='1'";
 
// execute query:
$result = mysql_query($sql) or die('A error occured: ' . mysql_error());
 
 
 
/*
** Do a delete query:
*/
 
// create SQL query:
$sql = "DELETE FROM logs WHERE id='1'";
 
// execute query:
$result = mysql_query($sql) or die('A error occured: ' . mysql_error());
 
 
 
// Have fun!
Snippet Details




Sorry folks, comments have been deactivated for now due to the large amount of spam.

Please try to post your questions or problems on a related programming board, a suitable mailing list, a programming chat-room,
or use a QA website like stackoverflow because I'm usually too busy to answer any mails related
to my code snippets. Therefore please just mail me if you found a serious bug... Thank you!


Older comments:

Nitish June 24, 2009 at 19:08
I just needed to delve into MySQL after learning basics of PHP, and this single snippet has everything explained. Thanks John.