Вы находитесь на странице: 1из 10

AJAX Code

When discussing real time communication, there arent many solutions that can rival the power of a simple webchat. What is even better, is that you already have all the tools you need to create one your web browser. This, coupled with the fact that this is also one of the most requested tutorials by Tutorialzines readers, means that it is about time to start coding. In this two-part tutorial, we will be creating an AJAX Web Chat using PHP, MySQL and jQuery. In this first part, we will be discussing the PHP & MySQL side, and next week we will continue with the jQuery and CSS front-end. Go to part two.

HTML
As usual, the first step is to lay down the HTML markup. Our document is structured as HTML5 for convenience, as this allows us to use the new, shorter (and more memorable) doctype, and skip the type attribute on the script tags.

ajax-chat.html

<!DOCTYPE html> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <title></title> <!-- Loading the jScrollPane CSS, along with the styling of the chat in chat.css and the rest of the page in page.css --> <link rel="stylesheet" type="text/css" href="js/jScrollPane/jScrollPane.css" /> <link rel="stylesheet" type="text/css" href="css/page.css" /> <link rel="stylesheet" type="text/css" href="css/chat.css" /> </head> <body> <div id="chatContainer"> <div id="chatTopBar" class="rounded"></div> <div id="chatLineHolder"></div> <div id="chatUsers" class="rounded"></div> <div id="chatBottomBar" class="rounded"> <div class="tip"></div> <form id="loginForm" method="post" action=""> <input id="name" name="name" class="rounded" maxlength="16" /> <input id="email" name="email" class="rounded" /> <input type="submit" class="blueButton" value="Login" /> </form> <form id="submitForm" method="post" action=""> <input id="chatText" name="chatText" class="rounded" maxlength="255" /> <input type="submit" class="blueButton" value="Submit" /> </form> </div> </div>

<!-- Loading jQuery, the mousewheel plugin and jScrollPane, along with our script.js --> <script src="http://ajax.googleapis.com/ajax/libs/jquery/1.4.2/jquery.min.js"></scr ipt> <script src="js/jScrollPane/jquery.mousewheel.js"></script> <script src="js/jScrollPane/jScrollPane.min.js"></script> <script src="js/script.js"></script> </body> </html> To optimize the load time, the stylesheets are included in the head section, and the JavaScript files in the footer, just before the closing body tag. We are using the jScrollPane plugin to create the scrollable area with the chats entries. This plugin comes with its own stylesheet, which is the first thing weve included into the page. The markup of the chat consists of four main divs the top bar, the chat container, the user container and the bottom bar. The latter holds the login and submit forms. The submit form is hidden by default and only shown if the user has successfully logged in the chat system.

An AJAX Web Chat with PHP, MySQL and jQuery Lastly we include the JavaScript files. Starting with the jQuery library, we add the mousewheel plugin (used by jScrollPane), the jScrollPane plugin itself and our script.js file.

Database Schema
Before we move on with the PHP part, we first have to take a closer look at how the chat data is organized in the MySQL database. For the purposes of this script we use two tables. In webchat_users we are storing the chat participants. This table has na id, name, gravatar and a last_activity field. The name field is defined as unique, so that no users have duplicate nick names in the chatroom.

Webchat Users Table Structure Another useful feature of the unique index fields, is that insert queries will fail and the inserted_rowsproperty of the MySQLi object will be set to zero if we attempt to insert a duplicate row. This finds its place in the Chat PHP class you will see in the next step. The last_activity column holds a timestamp, which is updated every 15 seconds for every user. It is also defined as an index, so it is faster to delete inactive users (having a last_activity column with a greater value than 15, would mean that the user is no longer viewing the chat window).

Webchat Lines Table Structure The webchat_lines table holds the individual chat entries. Notice that we are storing the author name and gravatar here as well. This duplication is worthwhile as it frees us from using an expensive join when requesting the latest chats the most frequently accessed feature of the application. The definitions of these tables are available in tables.sql in the download archive. You can execute the code in phpMyAdmin to create them. Also, when setting up the chat on your own host, remember to modify ajax.php with your MySQL database login details.

PHP
Now that we have the database in place, lets start discussing the PHP scripts that drive the chat. The first file we are going to take a closer look at, is ajax.php. It handles the AJAX requests sent from the jQuery front end and outputs JSON formatted data.

ajax.php

require "classes/DB.class.php";

require require require require

"classes/Chat.class.php"; "classes/ChatBase.class.php"; "classes/ChatLine.class.php"; "classes/ChatUser.class.php";

session_name('webchat'); session_start(); if(get_magic_quotes_gpc()){ // If magic quotes is enabled, strip the extra slashes array_walk_recursive($_GET,create_function('&$v,$k','$v = stripslashes($v);')); array_walk_recursive($_POST,create_function('&$v,$k','$v = stripslashes($v);')); } try{ // Connecting to the database DB::init($dbOptions); $response = array(); // Handling the supported actions: switch($_GET['action']){ case 'login': $response = Chat::login($_POST['name'],$_POST['email']); break; case 'checkLogged': $response = Chat::checkLogged(); break; case 'logout': $response = Chat::logout(); break; case 'submitChat': $response = Chat::submitChat($_POST['chatText']); break; case 'getUsers': $response = Chat::getUsers(); break; case 'getChats': $response = Chat::getChats($_GET['lastID']); break; default: throw new Exception('Wrong action'); } echo json_encode($response); } catch(Exception $e){ die(json_encode(array('error' => $e->getMessage()))); }

For convenience, Ive used a simple switch statement to define the actions, supported by the script. These include chat submission, login/logout functionality, and actions for requesting a list of chats and online users. All output is in the form of JSON messages (conveniently handled by jQuery), and errors are raised in the form of exceptions. The switch statement routes all requests to the appropriate static method of the Chat class, which we will discuss later in this section.

DB.class.php
class DB { private static $instance; private $MySQLi; private function __construct(array $dbOptions){ $this->MySQLi = @ new mysqli( $dbOptions['db_host'],

$dbOptions[ $dbOptions[ $dbOptions[ if (mysqli_connect_errno()) { throw new Exception('Database error.'); } $this->MySQLi->set_charset("utf8"); } public static function init(array $dbOptions){ if(self::$instance instanceof self){ return false; } self::$instance = new self($dbOptions); } public static function getMySQLiObject(){ return self::$instance->MySQLi; } public static function query($q){ return self::$instance->MySQLi->query($q); } public static function esc($str){ return self::$instance->MySQLi>real_escape_string(htmlspecialchars($str)); } } The DB class is our database manager. The constructor is private, which means that no objects can be created from the outside, and the initialization is only possible from the init() static method. It takes an array with MySQL login details, and creates an instance of the class, held in the self::$instance static variable. This way we can be sure that only one connection to the database can exists in the same time. The rest of the classes take advantage of the static query() method to communicate with the database.

ChatBase.class.php
/* This is the base class, used by both ChatLine and ChatUser */ class ChatBase{

// This constructor is used by all the chat classes: public function __construct(array $options){ foreach($options as $k=>$v){ if(isset($this->$k)){ $this->$k = $v; } } } } This is a simple base class. Its main purpose is to define the constructor , which takes an array with parameters, and saves only the ones that are defined in the class.

ChatLine.class.php
/* Chat line is used for the chat entries */ class ChatLine extends ChatBase{ protected $text = '', $author = '', $gravatar = ''; public function save(){ DB::query(" INSERT INTO webchat_lines (author, gravatar, text) VALUES ( '".DB::esc($this->author)."', '".DB::esc($this->gravatar)."', '".DB::esc($this->text)."' )"); // Returns the MySQLi object of the DB class return DB::getMySQLiObject(); } } Here is the ChatLine class. It extends ChatBase, so you can easily create an object of this class by providing an array with a text, author, and gravatar elements. The gravatar property contains a md5 hash of the persons email address. This is required so we can fetch the users gravatar from gravatar.com. This class also defines a save method, which the object to our database. As it returns the MySQLi object, contained in the DB class, you can check whether the save was successful by checking theaffected_rows property (we will come back to this in the Chat class).

ChatUser.class.php
class ChatUser extends ChatBase{ protected $name = '', $gravatar = ''; public function save(){ DB::query(" INSERT INTO webchat_users (name, gravatar) VALUES ( '".DB::esc($this->name)."', '".DB::esc($this->gravatar)."' )"); return DB::getMySQLiObject();

} public function update(){ DB::query(" INSERT INTO webchat_users (name, gravatar) VALUES ( '".DB::esc($this->name)."', '".DB::esc($this->gravatar)."' ) ON DUPLICATE KEY UPDATE last_activity = NOW()"); } } The same is also valid here. We have the name and gravatar properties (notice the protected access modifier this means that they will be accessible in the ChatBase class, so we can set them in the constructor). The difference is that we also have an update() method, which updates the last_activity timestamp to the current time. This shows that this person keeps a chat window open and is displayed as online in the users section.

Chat.class.php Part 1
/* The Chat class exploses public static methods, used by ajax.php */ class Chat{ public static function login($name,$email){ if(!$name || !$email){ throw new Exception('Fill in all the required fields.'); } if(!filter_input(INPUT_POST,'email',FILTER_VALIDATE_EMAIL)){ throw new Exception('Your email is invalid.'); } // Preparing the gravatar hash: $gravatar = md5(strtolower(trim($email))); $user = new ChatUser(array( 'name' => $name, 'gravatar' => $gravatar )); // The save method returns a MySQLi object if($user->save()->affected_rows != 1){ throw new Exception('This nick is in use.'); } $_SESSION['user'] = array( 'name' => $name, 'gravatar' => $gravatar ); return array( 'status' 'name' 'gravatar' ); } public static function checkLogged(){ $response = array('logged' => false); => 1, => $name, => Chat::gravatarFromHash($gravatar)

if($_SESSION['user']['name']){ $response['logged'] = true; $response['loggedAs'] = array( 'name' => $_SESSION['user']['name'], 'gravatar' => Chat::gravatarFromHash($_SESSION['user']['gravatar']) ); } return $response; } public static function logout(){ DB::query("DELETE FROM webchat_users WHERE name = '".DB::esc($_SESSION['user']['name'])."'"); $_SESSION = array(); unset($_SESSION); return array('status' => 1); } This is where all the work gets done. Remember the switch statement in ajax.php above? It maps the supported actions with the corresponding methods from this class. Each of these methods returns an array, as it is later converted to a JSON object with the internal json_encode() function (this happens at the bottom of ajax.php). When the user logs in, their name and gravatar get saved as elements of the $_SESSION array, and become available on consecutive requests. We will be using this to validate that the user is allowed to add chats later on. You can also see how we are preparing the gravatar hash. This is done according to their best practices guide and ensures that if the person has configured a Gravatar, it will be properly displayed.

Chat.class.php Part 2
public static function submitChat($chatText){ if(!$_SESSION['user']){ throw new Exception('You are not logged in'); } if(!$chatText){ throw new Exception('You haven\' entered a chat message.'); } $chat = new ChatLine(array( 'author' => $_SESSION['user']['name'], 'gravatar' => $_SESSION['user']['gravatar'], 'text' => $chatText )); // The save method returns a MySQLi object $insertID = $chat->save()->insert_id; return array( 'status' 'insertID' ); } public static function getUsers(){ if($_SESSION['user']['name']){ $user = new ChatUser(array('name' => $_SESSION['user']['name'])); => 1, => $insertID

$user->update(); } // Deleting chats older than 5 minutes and users inactive for 30 seconds DB::query("DELETE FROM webchat_lines WHERE ts < SUBTIME(NOW(),'0:5:0')"); DB::query("DELETE FROM webchat_users WHERE last_activity < SUBTIME(NOW(),'0:0:30')"); $result = DB::query('SELECT * FROM webchat_users ORDER BY name ASC LIMIT 18'); $users = array(); while($user = $result->fetch_object()){ $user->gravatar = Chat::gravatarFromHash($user->gravatar,30); $users[] = $user; } return array( 'users' => $users, 'total' => DB::query('SELECT COUNT(*) as cnt FROM webchat_users')->fetch_object()->cnt ); } public static function getChats($lastID){ $lastID = (int)$lastID; $result = DB::query('SELECT * FROM webchat_lines WHERE id > '.$lastID.' ORDER BY id ASC'); $chats = array(); while($chat = $result->fetch_object()){ // Returning the GMT (UTC) time of the chat creation: $chat->time = array( 'hours' => gmdate('H',strtotime($chat->ts)), 'minutes' => gmdate('i',strtotime($chat->ts)) ); $chat->gravatar = Chat::gravatarFromHash($chat->gravatar); $chats[] = $chat; } return array('chats' => $chats); } public static function gravatarFromHash($hash, $size=23){ return 'http://www.gravatar.com/avatar/'.$hash.'?size='.$size.'&default='. urlencode('http://www.gravatar.com/avatar/ad516503a11cd5ca435acc9bb6523536? size='.$size); } } As you will see in the next part of this tutorial, jQuery sends a getUsers() request every 15 seconds. We are using this to delete chats older than 5 minutes and inactive users from the database. We

could potentially delete those records in getChats, but that is requested once every second and the extra processing time could severely impact the performance of our app. Another thing worth noting, is that, in the getChats() method, we are using the gmdate function to output a GMT time. In the frontend, we use the hour and minute values to feed the JavaScript date object, and as a result all the times are displayed in the users local time. With this the first part of this tutorial is complete!

To be continued
Go to the second part of this tutorial, when we are building the slick jQuery & CSS3 interface and making it all work together.

http://tutorialzine.com/2010/10/ajax-web-chat-php-mysql/

Вам также может понравиться