PHP MySQL Tutorial
Learn PHP and MySQL

Creating A Guestbook Using PHP and MySQL ( Part 2 )

Page Details

Published by:
admin
on 12-20-2008
3 people found this article useful.

100% of people found this useful
Creating A Guestbook Using PHP and MySQL ( Part 2 )

Welcome to the second part of this guestbook tutorial. In case you haven't read the first section then go here to read it.

In this second part we'll add some code to our previous guestbook script which will allow us to view the entries. Without further ado let's start working on it.

 

Viewing the entries

 

<?php
include 'library/config.php';
include 'library/opendb.php';

// ... the code to save guestbook entries

}
?>
<html>
<head>
<title>Guestbook</title>
<meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1">
<script language="JavaScript">

// ... the rest of javascript code goes here

</script>
</head>
<body>

<!-- this is where we put the guestbook form -->

<?php

// prepare the query string
$query = "SELECT id,
                 name,
                 email,
                 url,
                 message,
                 DATE_FORMAT(entry_date, '%d.%m.%Y') ".
          "FROM guestbook ".
          "ORDER BY id DESC ";

$result = mysql_query($query) or die('Error, query failed');

// if the guestbook is empty show a message
if(mysql_num_rows($result) == 0)
{
?>
<p><br><br>Guestbook is empty </p>
<?php
}
else
{
// get the entries
while($row = mysql_fetch_array($result))
{
// list() is a convenient way of assign a list of variables
// from an array values
list($id, $name, $email, $url, $message, $date) = $row;

// change all HTML special characters,
// to prevent some nasty code injection
$name    = htmlspecialchars($name);
$message = htmlspecialchars($message);

// convert newline characters to HTML break tag ( <br> )
$message = nl2br($message);
?>
<table width="550" border="1" cellpadding="2" cellspacing="0">
<tr>
<td width="80" align="left">
<a href="mailto:<?=$email;?>"> <?=$name;?> </a> </td>
<td align="right"><small><?=$date;?></small></td>
</tr>
<tr>
<td colspan="2"> <?=$message;?>
<?php

if($url != '')
{
// make the url clickable by formatting it as HTML link
$url = "<a href='$url' target='_blank'>$url</a>";
?>
<br> <small>Homepage : <?=$url;?></small>
<?php
}
?>
</td>
</tr>
</table>
<br>
<?php
} // end while

When you just created the guestbook, there are no entry in guestbook table. We use mysql_num_rows()to check how many guestbook entries we have. If mysql_num_rows() returns 0 that means the table is empty and we can print a message saying that the guestbook is empty.

If there are already entries in the guestbook we then loop to get all the rows. I use list() to extract the values of a row into the variables $id, $name, $email, $url and $message.

An additional step is needed for the $name and $message. For these two we use htmlspecialchars() before printing their value. This function will convert all special characters to HTML entities.

As an example suppose I enter the string <b>I am a wizard</b> in the message textarea. After applying htmlspecialchars() it will be converted to &lt;b&gt;I am a wizard&lt;/b&gt;

What's the point of using htmlspecialchars()?

Well, the answer is because some people may try to abuse your guestbook. Some will enter a simple HTML bold formatted message like the example above but some may even try to input a javascript code in the message. As an example I could enter a script like this :

<script>
while(true)
{
   window.open("http://www.google.com");
}
</script>

If I don't use htmlspecialchars() and show it as is then when we view the guestbook entries this code will continously open a new window of www.google.com. Won't do any harm if you have a popup blocker ready. But for those unlucky people who haven't got it installed will have their desktop filled with new windows in no time. Very annoying indeed.

One more thing added for $message. We also use the function nl2br() to convert any newline characters ( that's \r OR \n OR both ) into HTML break tags ( <br> ). Because web browser "ignores'" newline characters, we need nl2br() to preserve the message formatting. This way if you explicitly enter a three line message it will also be shown as a three line message.

Ok, now that we have the values ready we just need to put them in the HTML table. In above example I use <?=$name;?> to print the value of $name. I can also use <?php echo $name; ?>, but it's easier to use the first form.

Now we're one step closer to finishing the guestbook. We just need to add a little more code for paging. Surely you don't want to show all the entries in one page. If you have a hundred entries the page will take forever to load. So let's add that little code to split the result into multiple pages.

 

 

Showing the entries in multiple pages

 

<?php

// how many guestbook entries to show per page
$rowsPerPage = 10;

// by default we show first page
$pageNum = 1;

if(isset($_GET['page']))
{
   $pageNum = $_GET['page'];
}

$offset = ($pageNum - 1) * $rowsPerPage;

// prepare the query string
$query = "SELECT id,
                 name,
                 email,
                 url,
                 message,
                 DATE_FORMAT(entry_date, '%d.%m.%Y') ".
          "FROM guestbook ".
          "ORDER BY id DESC ".
          "LIMIT $offset, $rowsPerPage";

// ... the rest of the code
?>

First we set how many entries we want to show per page ( $rowsPerPage ). We will use this value with the LIMIT keyword in our query so the query will only get a chunk of all entries available.

The logic flow is like this. When the page is first loaded the $_GET['page'] is not yet initialized so we use the default $pageNum = 1. We then use $pageNum to count the offset ( the index of the first result we want to show ).

As an example, if $pageNum = 1, $offset will be (1 - 1) * 10 = 0. Our limit query will be "LIMIT 0, 10". This will select the first ten entries from our guestbook table.

Another example . When $pageNum = 3, $offset = 20, limit query is "LIMIT 20, 10" which will select ten result starting from the 20th index

Now that we have the query ready we need to create the navigation link so our visitor can easily move from the first page to other pages. We simply print the page number as a hyperlink. So when a visitor click on a page number the script will show the entries for the specified page.

The code needed is shown below

<?php
// .... previous code

$query    = "SELECT COUNT(id) AS numrows FROM guestbook";
$result   = mysql_query($query) or die('Error, query failed');
$row      = mysql_fetch_array($result, MYSQL_ASSOC);
$numrows  = $row['numrows'];

$maxPage  = ceil($numrows/$rowsPerPage);
$nextLink = '';

if($maxPage > 1)
{
   $self = $_SERVER['PHP_SELF'];

   $nextLink = array();

   for($page = 1; $page <= $maxPage; $page++)
   {
      $nextLink[] = "<a href=\"$self?page=$page\">$page</a>";
   }

   $nextLink = "Go to page : " . implode(' &raquo; ', $nextLink);
}

include 'library/closedb.php';
?>
<table width="550" border="0" cellpadding="2" cellspacing="0">
<tr>
<td align="right" class="text">
<?=$nextLink;?>
</td>
</tr>
</table>
<?php
}
?>

First we count the total number of entries we have ( $numrows ) then we find the maximum page numbers. To do this we just need the ceil() function to round the number up.

For example, suppose we have 34 entries in our guestbook database and we want to show 10 entries per page. From these numbers we know that we wil split the result in ceil( 34 / 10) = 4 pages.

If the entries span in more than one page we do a loop to create the links. The link will look something like this :

guestbook.php?page=3

Note that in above code we use $_SERVER['PHP_SELF'] instead of using the filename itself, guestbook.php. This is done to save the trouble of modifying the code if someday we want to change the filename.

We temporarily put the links in an array, $nextLink. Once we get all the links in there we just join them all using implode(). And now our guestbook is done. Congratulations to you :-).

If you want the source code for this guestbook tutorial just click here . The zip file contain all the files required but dont' forget to modify library/config.php to match your own settings.

 

Room For Improvements

Our guestbook script is actually very simple. You can really make lots of improvements, suc as :

  • Flood prevention
    Prevent the visitor from signing the guestbook over and over again. You can log the visitor's IP and before saving the entry check the database if there's already an entry from such IP in the past hour ( or minute ). You can also use cookie for this
  • Bad words filtering
    Before saving the message strip out any bad words. You can create an array listing the words you want to omit and then check the message against the list
  • Message size limitation
    This is to prevent the visitor to enter a very long message. Spammers usually do this. Advertising their website in guestbooks.
  • Emoticons
    You simply need to replace some special set of characters like :) or :( into an image tag. For example changing :) into <img src="emoticons/smile.gif">
  • Mail notification of new entry
    Just use the mail() function after saving the message
  • Allow a specific set of HTML tags
    This also can be achieved by simply searching and replacing unwanted HTML tags.

Recent Comments

By: john9 Posted on 03-19-2015 7:54 AM
By: john9 Posted on 03-27-2015 7:09 AM
By: john9 Posted on 04-09-2015 10:25 AM
By: zuzuce123 Posted on 08-22-2015 12:33 AM

chanel bags,www.chanelhandbags.net.in

softball bats,www.cheap-baseballbats.net

nfl jerseys,www.cheapjerseys.us.org

nfl jerseys,www.cheap-jerseys.us.org

cheap jordan shoes,http://www.cheap-jordans.net/

michael kors,www.cheapmichaelkors.us.org

nike shoes,www.cheap-nike-shoes.net

oakley sunglasses,http://www.cheapoakley.us.org/

oakley sunglasses,www.cheapoakleysunglasses.ar.com

oakley sunglasses,www.cheap-oakleysunglasses.in.net

ray ban sunglasses,http://www.cheaprayban.com.co/

discount shoes,http://www.cheapshoes.com.co/

uggs outlet,www.cheap-uggboots.in.net

dre beats,www.beatsbydrdre.co.com

beats audio,http://www.beatsbydre.com.co/

beats audio,www.beats-by-dre.com.co

beats audio,www.beats-headphone.in.net

bebe clothing,http://www.bebeclothing.net/

bottega veneta,http://www.bottega.us/

burberry,http://www.burberrycanada.ca/

burberry outlet,www.burberry-handbags.us.org

burberry outlet online,www.burberryoutlet.club

burberry outlet online,www.burberryoutlet.me.uk

burberry outlet,www.burberryoutletonline.ar.com

burberry outlet online,www.burberrys-outlet.in.net

burberry outlet,www.burberrys-outletonline.in.net

calvin klein underwear,http://www.calvinklein.co.com/

celine bags,http://www.celinebags.org/

chanel sunglasses,http://www.chanel-bags.com.co/

polo ralph lauren,www.polo-outlets.com.co

ralph lauren outlet,www.poloralphlaurenoutlet.net.co

prada outlet,www.pradahandbags.com.co

prada outlet,www.pradahandbags.net.co

prada handbags,http://www.pradaoutlet.com.co/

prada outlet,http://www.pradashoes.com.co/

ralph lauren,http://www.ralph-lauren.ca/

ralph lauren,www.ralph-lauren.com.au

ralph lauren uk,www.ralph-lauren.org.uk

ralph lauren outlet,www.ralphlaurenepolo.com

burberry,http://burberry.outletnow.org/

christian louboutin outlet,christianlouboutin.outlet-shoes.net

tory burch sale,toryburch.salesandals.net

abercrombie,www.abercrombie-and-fitch.ca

abercrombie and fitch,www.abercrombieand-fitch.com.co

abercrombie fitch,www.abercrombie-and-fitch.us.com

abercrombie and fitch,www.abercrombiefitch.us.com

abercrombie,www.abercrombie-kids.us.com

adidas,http://www.adidas--canada.ca/

nike huarache,http://www.air-huarache.co.uk/

retro jordans,http://www.airjordans.us/

jordan release dates 2015,www.airjordanshoes2015.com

air max 2014,http://www.airmax-2015.org/

air max,http://www.airmax-90.org/

babyliss pro,http://www.babyliss.us.org/

barbour jackets sale,www.barbour-factory.com

barbour mens jackets,www.barbour-jacketsoutlet.com

basketball shoes,www.basketballshoes.com.co

bcbg max,http://www.bcbgdresses.net/

bcbg max,http://www.bcbg-max-azria.ca/

flat iron,http://www.chiflatiron.net.co/

louboutin,www.christian--louboutin.in.net

louboutin shoes,www.christianlouboutin.org.uk

louboutin outlet,www.christianlouboutinoutlet.net.co

christian louboutin,www.christianlouboutinshoes.ar.com

christian louboutin,www.christian-louboutin-shoes.ca

louboutin shoes,www.christianlouboutinshoes.jp.net

coach factory outlet online,www.coachfactory-outlet.co.com

coach factory outlet,www.coachfactory-outlet-online.in.net

coach purses,www.coach-handbags.com.co

coach outlet,www.coachoutlet-online.com.co

coach outlet,www.coachoutletstore.net.co

coach outlet,www.coachoutletstore-online.com.co

coco chanel,www.coco-chanelbags.com.co

converse shoes,http://www.converse.net.co/

converse,www.converses-shoes.net

handbags outlet,www.designerhandbagsoutlet.com.co

ed hardy,http://www.edhardy.us.org/

glasses online,www.eyeglassesonline.us.org

glasses frames,www.eyeglassframes.us.org

boutique clothing,www.fashion-clothing.us.org

salvatore ferragamo,http://www.ferragamo.com.co/

ferragamo,http://www.ferragamoshoes.net/

straightener,www.ghdhairstraightener.com.co

giuseppe zanotti,www.giuseppezanotti.com.co

gucci handbags,www.guccihandbags.net.co

gucci outlet,http://www.gucci-outlet.biz/

gucci sale,www.gucci-outletsale.in.net

gucci outlet,http://www.guccishoes.com.co/

gucci outlet,http://www.guccishoes.in.net/

gucci outlet,http://www.guccishoes.us.org/

gucci,http://www.gucci-uk.me.uk/

purses and handbags,www.handbagsoutlet.com.co

harrods,www.harrods-london.co.uk

katespade,http://www.kate-spade.net.co/

kate spade,www.katespade-outlet.net.co

levi's jeans,http://www.levisjeans.com.co/

longchamp outlet,http://www.longchamp.com.co/

longchamp handbags,http://www.longchamp.us.org/

longchamp,www.longchamp-handbags.us.com

longchamp,www.longchampoutlet.com.co

christian louboutin,http://www.louboutin.jp.net/

louis vuitton,www.louisvuitton.jp.net

louis vuitton,www.louis--vuitton.org.uk

louis vuitton outlet,http://www.louisvuitton.so/

louis vuitton outlet,http://www.louisvuittonas.com/

louis vuitton,www.louis-vuitton-australia.com.au

louis vuitton outlet,www.louis-vuittonblackfriday.com

louis vuitton,www.louisvuitton-outlet.com.co

louis vuitton,www.louis-vuittonoutletcanada.ca

louis vuitton outlet,www.louisvuitton-outlets.us

louis vuitton outlet,www.louisvuittonsas.com

lululemon,www.lululemon-australia.com.au

lululemon canada,http://www.lululemoncanada.ca/

lululemon,www.lululemonoutlet.com.co

m a c cosmetics,www.maccosmetics.net.co

marc jacobs handbags,www.marcjacobsonsale.com

mcm handbags,http://www.mcm-bags.in.net/

mcm bags,http://www.mcmhandbags.com.co/

michael kors outlet,www.michael-kors.com.co

michael kors outlet,www.michael-kors.net.co

michael kors outlet online,http://www.michaelkors.so/

michael kors outlet online,www.michael--kors.us.com

michael kors,www.michael-kors-australia.com.au

michael kors purses,www.michaelkorsbags.us.org

michael kors canada,www.michael-kors-canada-outlet.ca

michael kors,www.michaelkorshandbags.org.uk

michael kors outlet,www.michael-kors-handbags.us.com

michael kors outlet online,www.michaelkorsoutlet.ar.com

michael kors outlet online,www.michael-kors-outlet.us.org

michael kors outlet,www.michaelkorsoutlet-online.ar.com

hermes belt,http://www.hermesbags.club/

hermes,http://www.hermesbirkin.biz/

hermes birkin,http://www.hermesoutlet.top/

tommy hilfiger,www.hilfigeroutlet.in.net

hollister,http://www.hollister.us.org/

hollister,http://www.hollistercanada.ca/

hollister clothing store,www.hollisterclothing.in.net

hollister clothing,www.hollister-clothingstore.in.net

insanity workout calendar,www.insanityworkout.net.co

instyler ionic styler,http://www.instylers.us.com/

iphone 6 cases,www.iphone-cases.com.co

jimmy choo shoes,http://www.jimmychoo.net.co/

jordan release dates 2015,www.jordanrelease-dates.net

retro jordans,http://www.jordanretro.org/

jordan shoes,www.jordan-shoes.com.co

juicy couture outlet,www.juicycouture.com.co

juicy couture,www.juicycoutureoutlet.net.co

katespade,http://www.kate-spade.in.net/

michael kors outlet,www.michaelkors-outlet-online.com.co

michael kors outlet,www.michael-kors-outlet-online.us.org

michael kors outlet online,www.michaelkorsoutletonline-sale.us.com

michael kors,www.michaelkors-uk.org.uk

mizuno,http://www.mizunorunning.net/

cheap moncler jackets,www.mmoncler-outlet.com

ugg boots,www.ugg-australia.in.net

uggs outlet,http://www.uggboots.net.co/

uggs outlet,http://www.ugg-boots.us.org/

ugg boots,www.ugg-boots-australia.com.au

ugg boots,www.uggbootsclearance.com.co

uggs,http://www.uggscanada.ca/

uggs,http://www.uggsonsale.com.co/

ugg boots,http://www.uggsoutlet.com.co/

coach outlet store,www.uptocoachoutlet.com

vans store,http://www.vans-shoes.net/

prom dresses,www.wedding--dresses.ca

wedding dresses uk,www.weddingdressesuk.org.uk

woolrich womens jakets,www.woolrich-clearance.com

lululemon,http://www.yoga-pants.ca/

lululemon,http://www.yogapants.com.co/

coach bags outlet,http://www.zxcoachoutlet.com/

moncler jackets sale,www.moncler-outlet.us.org

mont blanc pens,www.montblanc--pens.in.net

new balance,http://www.new-balance.ca/

new balance shoes,www.newbalance-outlet.org

new balance outlet,www.newbalance-shoes.org

coach purses factory,www.newoutletonlinemall.com

cheap jerseys,http://www.nfl-jersey.us.com/

air max,http://www.nike-air-max.ca/

air max,www.nike-air-max.com.au

nike air max 2014,http://www.nike-air-max.us/

nike factory outlet,http://www.nikefactory.org/

nike free trainer 5.0,http://www.nikefree5.net/

pandora jewelry,www.pandorajewellery.com.au

pandora charms,http://www.pandorajewelry.top/

ralph lauren uk,www.ralph-lauren-outlet.org.uk

ralph lauren outlet online,www.ralphlaurenoutlet.us.com

ralph lauren outlet,www.ralphlaurenoutletonline.com.co

ralph lauren polo outlet,www.ralphlaurenoutletonline.in.net

polo ralph lauren,www.ralphlaurenoutletonline.us.org

polo ralph lauren outlet,www.ralphlaurenpolos.in.net

ray ban,http://www.ray--ban.ca/

ray ban sunglasses,www.ray-ban-outlet.us.com

raybans,http://www.raybans.us.org/

ray ban,www.rayban-sunglasses.org.uk

ray ban outlet,www.rayban-sunglasses.us.org

ray ban sunglasses,www.ray-ban-sunglasses-outlet.in.net

ray ban sunglasses,www.raybanwayfarer.in.net

replica handbags,www.replicahandbags.com.co

rolex watches,www.replica-watches.us.com

air jordan retro,http://www.retro-jordans.com/

replica watches,www.rolex-watches.me.uk

replica watches,www.rolex-watches.us.com

rolex watches,www.rolex-watches-canada.ca

replica watches,www.rolexwatchesforsale.us.com

nike roshe,http://www.rosherun.org.uk/

nike roshe,http://www.rosheruns.us/

nike free,http://www.nikefree-run.net/

free run,www.nikefree-run.org.uk

mercurial superfly,www.nikemercurial.in.net

roshe run,http://www.nikerosherun.us/

nike shoes,www.nike-shoes-canada.ca

nike outlet,http://www.nikestore.us/

the north face,http://www.northface.us.org/

the north face outlet,www.northfaceoutlet.com.co

oakley sunglasses,www.oakleyoutlet.us.org

oakley,www.oakley--sunglasses.com.au

cheap oakley sunglasses,www.oakleysunglasses.gr.com

oakley prescription,www.oakley-sunglasses.top

oakley canada,www.oakley-sunglasses-canada.ca

oakley sunglasses,www.oakleysunglassescheap.in.net

rolex watches,www.omegawatches.us.com

p90x3,http://www.p90xworkout.in.net/

pandora bracelet,www.pandora-charms.org.uk

pandora jewelry,www.pandora-charms-canada.ca

ferragamo,www.salvatoreferragamo.in.net

soccer shoes,http://www.soccer-shoes.org/

baseball bats,http://www.softball-bats.us/

supra shoes,http://www.suprashoes.in.net/

swarovski,www.swarovski-australia.com.au

swarovski canada,http://www.swarovskicanada.ca/

swarovski jewelry,www.swarovskicrystal.com.co

swarovski crystal,www.swarovskijewelry.com.co

swarovski uk,www.swarovski-uk.org.uk

north face,http://www.the-north-face.ca/

north face,www.the-northface.com.co

north face,www.thenorth-face.org.uk

north face,www.thenorthface.us.org

north face,www.the-northface.us.org

north face jackets,www.thenorthfacejackets.in.net

thomas sabo uk,http://www.thomas-sabo.me.uk/

tiffany and co,www.tiffany-andco.com.au

tiffany jewelry,www.tiffanyandco.net.co

tiffany and co,www.tiffanyandco-canada.ca

tiffany and co,www.tiffanyjewelry.us.org

timberland outlet,www.timberlandboots-outlet.in.net

timberland outlet,www.timberlandshoes.com.co

tommy hilfiger outlet,www.tommyhilfiger.net.co

tommy hilfiger,www.tommy-hilfiger-canada.ca

tommy hilfiger,www.tommy-hilfigeroutlet.com

toms shoes,http://www.toms-outlet.net.co/

toms shoes,www.toms-outletsale.in.net

toms outlet,http://www.toms-shoes.com.co/

toms shoes,www.toms-shoes-outlet.net

tory burch sandals,www.tory-burch-outlet.in.net

tory burch sandals,www.tory-burchoutlet.us.com

tory burch sandals,www.toryburchsale.com.co

true religion outlet,www.true-religion.com.co

cheap true religion,www.truereligionjeans.net.co

cheap true religion,www.truereligion-outlet.com.co

true religion jeans outlet,www.truereligion-outlet.us.org

Powered by Community Server (Non-Commercial Edition), by Telligent Systems