Click here to Skip to main content
15,880,796 members
Articles / Web Development / HTML

Simple Chat application using AJAX

Rate me:
Please Sign up or sign in to vote.
4.95/5 (12 votes)
28 Oct 2010CPOL3 min read 107.8K   11.1K   55   32
Simple Chat application using AJAX

Introduction

Here is a simple Chat application to demonstrate the use of XMLHttpRequest (AJAX) in ASP.NET. This is a one to one user chat application, but can be easily extended to support multi user chat also.

As for a demo application, no extra user details are maintained while user registration or no CAPTCHA check or other Security is used.

The main code which is responsible for the AJAX communications is the same as is explained in my previous article which can be found at AJAXDemo.aspx.

So the function AJAXRequest() is used for transferring all the data between the browser and the server.

Image 1

Background

For all the details regarding the AJAXRequest() function, please refer to AJAXDemo.aspx.

In this chat application, some part of data (e.g. RequestCode, username, password) is sent through the HTTP headers, and some data like the message and userlist is sent normally in the content.

This easily explains the use of most of the AJAX data exchange possibilities.

Using the Code

The demo application is a ASP.NET web application. It uses Microsoft SQL database to store user messages and user logins.

The database .mdf is included in the APP_Data folder, and also the file "DatabaseScript.sql" contains all the database scripts to setup a new database.

Currently, I have commented out the code for maintaining the message history in Database stored procedure, but it can be enabled if one wants.

The communication between browser -> Server -> browser happens in the following way:

  1. Client(browser) sends the request along with the RequestCode.
  2. Request code is parsed at the server to determine what the request is for. (E.g.. Login, Logout, SendMessage, ReceiveMessage, etc.)
  3. Server Handles the request, processes it and sends the appropriate Response back, along with the requested data.
  4. Recipient client always polls the Server for Messages. Once Server has Message for Recipient, the message is sent in the response from server.
JavaScript
var MessagePollingInterval = 3000 ;  	// Interval of polling for message
var OLUsersPollingInterval = 9000;  		// Interval of polling for online users 

These are variables that hold the polling interval.

Messages are exchanged from and to server in an encrypted way. The encryption/decryption algorithm used in this application is the simple substitution cipher.

JavaScript
var EncryptionKey = 3;  //Encryption Key: 0 to disable encryption

This holds the encryption key which should be the same at the client and server end.

Following are the encryption/decryption functions:

JavaScript
function Encrypt(PlainText, Key) {
    var to_enc = PlainText.toString().replace(/^\n+/, "").replace
	(/\n+$/, "");  //Nozel: remove \n

	var xor_key=Key;
	var the_res="";//the result will be here
	for(i=0;i<to_enc.length;++i)
	{
	    ////the_res += String.fromCharCode((xor_key ^ to_enc.charCodeAt(i))); 
		//Nozel:  Xor Cipher . 
		//But encoded characters are not always allowed in http headers

	    if (to_enc.charCodeAt(i) <= 32) {
	        //Keep c as it is
	        the_res += String.fromCharCode((to_enc.charCodeAt(i))); //Nozel: Bypass 
			//Invalid characters which are not supported in Http headers
	     }
	    else {
	        the_res += String.fromCharCode
		((to_enc.charCodeAt(i)) - Key); //Nozel: Normal substitution Cipher
	    }
	}
	return(the_res);
}

function Decrypt(CipherText, Key) {
    var to_dec = CipherText;
    var xor_key = Key;
    var PlainText = "";
    for (i = 0; i < to_dec.length; i++) {

       ///// PlainText += String.fromCharCode((xor_key ^ to_dec.charCodeAt(i)));   
     //Nozel:  Xor Cipher . But encoded characters are not always allowed in HTTP headers

        if (to_dec.charCodeAt(i) <= 32) {
            //Keep c as it is
            PlainText += String.fromCharCode((to_dec.charCodeAt(i)));  
	  //Nozel:   Bypass Invalid characters which are not supported in HTTP headers
        }
        else {
            PlainText += String.fromCharCode
		((to_dec.charCodeAt(i)) + Key);  //Nozel:   Normal substitution Cipher
        }
    }
    return (PlainText);
} 

A similar function is implemented in the C# code in the server side handler to perform encryption/decryption.

Here is a code snippet of how the message is sent through an Ajax request:

JavaScript
function SendMessage() {
    if (ValidateSendMessageWindow()) {
        var URL = "SecureChatServer.ashx";
        var covert = "False";
        if (URL == null) { alert("Request URL is Empty"); }
        else {
            HTMLmessage = document.getElementById('Message').value.toString().replace
			(/\r\n?/g, '<br/>');
            message = Encrypt(HTMLmessage, EncryptionKey);
            recepient = Encrypt
		(document.getElementById('Recepient').value, EncryptionKey);
            AjaxRequest(ProcessSendMessageResponse, URL, "POST", 
		{Message:message , Recepient:recepient}, '', { RequestCode: 'SC005'});

			//.
			//.
			//.
			}}} 

All the required data is passed to the 'AjaxRequest' function which sends the data to generic handler 'SecureChatServer.ashx' .

Here is the code which is executed for the RequestCode: SC005:

C#
 LoggedInUser = userlogin.IsUserLoggedIn(SessionID, UserIPAddress);
 if (LoggedInUser != null)  // Check is user is logged in
 {
  Messages newMessage = new Messages(); // Message Data Access Layer

 Message = Decrypt(context.Request.Params["Message"], 
	EncryptionKey);  // Extract the message data from the request and decrypt it.
 Recepient = Decrypt(context.Request.Params["Recepient"], 
	EncryptionKey);  // Extract the recipient data from the request and decrypt it.
 if (newMessage.WriteMessage(LoggedInUser, Recepient, 
	Message))  //Write the message to database through Message Data access layer
  {
 context.Response.AddHeader("CustomHeaderJSON", 
	"ResponseStatus:'RS-OK'");  //add the Success indicator to the response header
 }
 else
 {
 context.Response.AddHeader("CustomHeaderJSON", 
    "ResponseStatus:'RS-Failed'");  //add the Failure indicator to the response header
 }

.

.

.
} 

This response with the newly added success/failure indicators in HTTP header is sent back by the server.

And finally after the AJAX request is completed, the Handler function is executed. All the responses from the server are available in the handler function.

In this case, the handler function specified is 'ProcessSendMessageResponse', and here is its definition:

JavaScript
function ProcessSendMessageResponse() {
   var ResponseStatus = GetHeader(ResponseHeaderJSON, 'ResponseStatus');
   if (ResponseStatus == "RS-OK") {
       //.
       //.
       //.
       }}

As you see, the value of 'ResponseStatus' is extracted from the Response HTTP headers which are readily available in the function. As the 'ResponseHeaderJSON' is a JSon string, the function 'GetHeader' is used to extract a particular value in JSon string.

The value of the 'ResponseStatus' is then checked to notify Success/Failure in sending the message.

A similar process is used for all the functions such as Receive message, Login, Logout, Get Online Users list, etc.

Most of the UI features like Window dragging, tooltips, smooth show/hide, etc. are implemented using JQuery libraries.

Points of Interest

This is a basic implementation and can be extended to support other features like more detailed user Registration, multi user chat and other features of normal Chat application.

The main purpose of this application is to provide a simple and clear understanding of how XmlHttpRequest with ASP.NET can be used for different purposes in a Web Application.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer (Senior)
India India
function Nozel_Rosario(Imagination, Creativity, Computer_Programming) {
var Innovation = Imagination + Creativity * Computer_Programming ;
return Innovation;
}

Comments and Discussions

 
Questionneeed a code Pin
Member 1240289625-Mar-16 1:16
Member 1240289625-Mar-16 1:16 
Questionerror Pin
Member 1147560424-Feb-15 1:56
Member 1147560424-Feb-15 1:56 
QuestionIts awesome but.. Pin
agent_suwastica16-Aug-13 17:27
agent_suwastica16-Aug-13 17:27 
Questionproblem connecting database Pin
scorpionrose1-Feb-13 2:31
scorpionrose1-Feb-13 2:31 
Questionprblems with db Pin
scorpionrose1-Feb-13 1:17
scorpionrose1-Feb-13 1:17 
/****** StoredProcedure [dbo].[ReadMessage] ******/
SET ANSI_NULLS ON
SET QUOTED_IDENTIFIER ON
CREATE PROCEDURE [dbo].[ReadMessage]
@recepient nvarchar(50),
@message ntext out,
@sender nvarchar(50) out
AS
BEGIN
SET NOCOUNT ON;
--declare @message varchar(max)
declare @id numeric
declare @currentdatetime datetime
declare @lasthistory numeric
set @currentdatetime = GETDATE()
select @message=message,@id=id,@sender=sender from Messages where recepient=@recepient and (delivered <>'true' or delivered is null) order by senddate asc
--insert into MessagesHistory (sender,recepient,message,senddate) select sender,recepient,message,senddate from Messages where id=@id
--set @lasthistory = @@IDENTITY
--update MessagesHistory set recieveddate=@currentdatetime , delivered='true' where id=@lasthistory
delete from Messages where id=@id


Msg 111, Level 15, State 1, Line number 12
'CREATE/ALTER PROCEDURE' must be the first statement in a query batch.

Msg 102, Level 15, State 1, Line number 20
Incorrect syntax near '@id'.
QuestionHelp Pin
Manikandante27-Dec-12 1:18
Manikandante27-Dec-12 1:18 
AnswerRe: Help Pin
Nozel Rosario : 458384727-Dec-12 22:35
Nozel Rosario : 458384727-Dec-12 22:35 
Questionrequest cannot be processed,pls try again Pin
Member 442881011-Dec-12 3:51
Member 442881011-Dec-12 3:51 
AnswerRe: request cannot be processed,pls try again Pin
Nozel Rosario : 458384727-Dec-12 22:57
Nozel Rosario : 458384727-Dec-12 22:57 
QuestionGreate Work Pin
AJMAL SHAHZAD7-Jul-12 20:04
AJMAL SHAHZAD7-Jul-12 20:04 
AnswerRe: Greate Work Pin
Nozel Rosario : 45838478-Jul-12 19:30
Nozel Rosario : 45838478-Jul-12 19:30 
GeneralMy vote of 5 Pin
Manoj Kumar Choubey3-Feb-12 19:26
professionalManoj Kumar Choubey3-Feb-12 19:26 
GeneralRe: My vote of 5 Pin
Nozel Rosario : 45838478-Jul-12 19:30
Nozel Rosario : 45838478-Jul-12 19:30 
Questionhelp Pin
daedusp8-Sep-11 11:14
daedusp8-Sep-11 11:14 
AnswerRe: help Pin
daedusp8-Sep-11 11:31
daedusp8-Sep-11 11:31 
AnswerRe: help Pin
Nozel Rosario : 45838478-Sep-11 22:31
Nozel Rosario : 45838478-Sep-11 22:31 
GeneralRe: help Pin
daedusp10-Sep-11 17:36
daedusp10-Sep-11 17:36 
GeneralRe: help Pin
Nozel Rosario : 458384711-Sep-11 19:08
Nozel Rosario : 458384711-Sep-11 19:08 
GeneralCouldnt download the code Pin
Member 455875410-Feb-11 2:11
Member 455875410-Feb-11 2:11 
AnswerRe: Couldnt download the code Pin
Nozel Rosario : 458384710-Feb-11 5:06
Nozel Rosario : 458384710-Feb-11 5:06 
GeneralRe: Couldnt download the code Pin
Member 455875410-Feb-11 21:30
Member 455875410-Feb-11 21:30 
AnswerRe: Couldnt download the code Pin
Nozel Rosario : 458384711-Feb-11 9:58
Nozel Rosario : 458384711-Feb-11 9:58 
Generalcan't open .mdf file Pin
halcyondays8-Jan-11 20:36
halcyondays8-Jan-11 20:36 
AnswerRe: can't open .mdf file Pin
Nozel Rosario : 45838478-Jan-11 23:28
Nozel Rosario : 45838478-Jan-11 23:28 
Generalerror while sending msg Pin
Member 305559723-Nov-10 22:14
Member 305559723-Nov-10 22:14 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.