TweetFollow Us on Twitter

Extend Modal Dialog
Volume Number:6
Issue Number:4
Column Tag:C Workshop

Related Info: Dialog Manager Event Manager

Extending Modal Dialogs

By Paul Potts, Wooster, OH

Note: Source code files accompanying article are located on MacTech CD-ROM or source code disks.

The Gauntlet is Thrown Down

A few months ago I was developing a program that used a modal dialog. I showed the results to my roommate. He ran the program and brought up the dialog, but was then interrupted. When he got back, the screen saver had come on. He moved the mouse to refresh the screen, and then scrutinized my display.

“Which button is default?” he asked .

“That one. The program drew the outline, but it got erased.”

“It should be there.”

“Oh, come on! The Finder doesn’t even keep the outline around its default buttons when you use a screen saver!”

“If it’s in Inside Macintosh, it should be there. Go fix it. Here, make me a copy first.” He popped in a blank disk. Nothing happened.

“How come it didn’t ask if I want to initialize the disk?”

“That doesn’t work when a modal dialog is active,” I explained lamely.

He then pressed the “Q” key. Nothing happened. “There’s a dialog button called Quit -- why didn’t it quit?” he asked. “What kind of user-friendly program is this, anyway?”

The Gauntlet is Picked Up

My roommate was right. We are used to putting up with the limitations of modal dialogs, but ModalDialog can be extended using filter procedures. The parameters of ModalDialog can be declared in C as follows:

/* 1 */

void ModalDialog (filterProc, itemHit)
 ProcPtr  filterProc;
 int  *itemHit;

The address of your filter procedure gets passed by casting it to a procPtr. If you don’t want to use a filterProc, you pass NIL as your first parameter. If you do use a filterProc, Modal dialog then gets each event for you, using a mask which excludes disk events, and sends them to your filterProc. It is then up to your filterProc to decide what to do with them. ModalDialog expects your filterProc to be declared as follows:

/* 2 */

pascal Boolean FProc(Dialog, Event, itemHit)
 DialogPtrtheDialog;
 EventRecord*theEvent;
 int  *itemHit;

A dialog filterProc is actually a function that returns a Boolean value. This value should be TRUE if you want ModalDialog to exit, and FALSE otherwise. ModalDialog passes your filterProc a pointer to the current event. You then can do what you want with it. If your function returns FALSE, ModalDialog will handle the event after you. Thus, you can get a crack at each event even before ModalDialog does. Your filterProc can then do any of the following:

1) Handle the event, then send it to ModalDialog

2) Handle the event and tell ModalDialog to exit

3) Change the event and return to ModalDialog

4) Read the event queue itself and act on it.

My filterProc uses the first technique to handle updateEvents before ModalDialog gets them. This allows me to redraw the default box around a button and then tell ModalDialog to do its own updating. I use the second technique to exit ModalDialog if my filterProc receives a key event that it understands. I use the third technique to handle the <return> key by changing the event from a keypress to a click in the default button. You don’t actually have to do this for <enter> and <return> keypresses, since ModalDialog handles key events, but I wanted to illustrate the technique of altering an event.

Scott Knaster, in Macintosh Programming Secrets, suggests that command-key equivalents be provided for buttons in modal dialog boxes whenever possible. Command-key equivalents aren’t always necessary, however. Some popular applications, such as Microsoft Word, provide single-key equivalents for button clicks, if no editable text fields are present in the dialog, such as in the Save Changes Before Closing dialog. I suggest that commnad-key equivalents be used in modal dialogs with editable text fields, and single-key equivalents (or both single-key and command-key equivalents) be used when no editable text fields are present. My code illustrates both techniques, but your application should use only one. Even though my modal dialog has an editable text field, I allows the user to press a 1, 2, or 3 to choose one of my three buttons. The user can also use <command>-F, S, and T to choose the first, second, and third dialog items, respectively. NOTE: You must make certain that the editText item(s) in the DITL resource that you use are set to Disabled, or else my technique will not work.

When drawing your dialogs with ResEdit, keep in mind that the command-key character is ASCII 17 in the Chicago font, but cannot be typed directly from the keyboard. Microsoft Word will generate this character if you use the Change function to replace a specified character with a ^17. You can then copy this character and paste it into your ResEdit fields. RMaker can generate this character by using \11.

Since ModalDialog does not pass disk events to the filterProc, I use the fourth technique to allow the user to insert a blank disk while the ModalDialog is active. It gets initialized by DIBadMount, which then mounts it (or ejects it, if initialization failed). This might be useful in a modal dialog which displays on-line volumes. SFPutFile uses this technique to allow disks to be mounted while its dialog is active.

There are other ways you can handle events in a modal dialog using filterProcs. You can do anything you want during null events. You can plot a series of icons in your dialog to give the appearance of animation, or draw the current time using DrawString. After all, you have the current grafPort, and can draw directly with QuickDraw. Remember, though, that your drawing operations should be as fast as possible, and must take much less than a single tick to work effectively. Also, remember your poor end-user: don’t make your dialogs overly confusing or complex. We want to extend the Macintosh interface, not bury it.

If you like my code, you are welcome to use it “as-is,” modify it, or completely rewrite it. I’d appreciate it if you’d put my name somewhere in your application, but you can drop me a postcard instead.

Listing:  driveDialog.c

/* This Think C 3.02/4.0 code should be compiled with MacHeaders turned 
on.  Create a new project called FilterProc.Π, and add this file, driveDialog.c, 
along with HandleDialog.c and MacTraps.  Prototypes are provided. Compile 
the resource file, FilterProc.r, with RMaker and put it in the folder 
with the FilterProc project.*/

/*********************************************/
/* File: driveDialog.c */
/* A simple driver application for the dialog
handler.  Your own application would call
it instead. */
 
void main (void);
int HandleDialog(short ID);

void main()
{
 int  itemHit,
/* Dialog item hit, returned by HandleDialog */
 counter;
 
 InitGraf(&thePort);
 InitFonts();
 InitWindows();
 InitMenus();
 TEInit();
 InitDialogs(0L);
 FlushEvents(everyEvent, 0);
 InitCursor();
 
/* Now send the HandleDialog function the resource ID of the DLOG to 
use */
 itemHit = HandleDialog ((short)1);
 
/* Now beep to tell us what item number the HandleDialog call sent back 
(i.e., what item was hit to exit ModalDialog */
 for (counter = 1; counter<= itemHit;  counter++)
 SysBeep(40);
}
Listing:  HandleDialog.c

/*****************************************/
/* File HandleDialog.c */
/*****************************************/
/* Prototypes */
 
int HandleDialog(short Dialog_ID);
/* Called whenever you want to put up a modal dialog */

pascal Boolean FProc(DialogPtr theDialog, 
 EventRecord *theEvent, 
 int *itemHit);
/* Filter procedure called by ModalDialog to screen dialog events */
 
Point CenterDialogItem(DialogPtr theDialog,              int   item_number);
/* Returns the center of the rect of a dialog item, to be called from 
a filter proc while a modal dialog is active. */

void FlashDialogItem(DialogPtr theDialog, int                  item_number);
/* Flashes an item of a dialog, to be called from a filter proc while 
a modal dialog is active. */

void HandleUpdate(DialogPtr theDialog);
/* Used to handle update events while a modal 
dialog is active, called from a filter proc.*/

/********************************************/
/* This procedure returns the center of a dialog item as a point.  It 
is designed to be used with buttons, but will work with any type of dialog 
item.  */
/* Input: theDialog (a DialogPtr), item number (an integer) */
/* Output: a point */

Point CenterDialogItem(theDialog, item_number)
 DialogPtr  theDialog;
 int    item_number;

{
 Point  the_center; /* Center of item, to return */
 int    itemType; /* Returned by GetDItem but not used */
 Handle theItem; /* Returned by GetDItem but not used */
 Rect the_Rect; /* Returned by GetDItem */

GetDItem(theDialog, item_number, &itemType,        &theItem, &the_Rect);
the_center.h = the_Rect.left +   ((the_Rect.right -      the_Rect.left)/ 
2);
the_center.v = the_Rect.top + ((the_Rect.bottom - the_Rect.top)/ 2);
return the_center;
}

/********************************************/
/* This procedure returns the center of the rectangle of the default 
dialog item as a single point.  */
/* Input: theDialog (a DialogPtr), item_number (an integer) */
/* Output:  none */

void FlashDialogItem(theDialog, item_number)
 DialogPtr  theDialog;
 int    item_number;
{
 long tickScratch; /* returned by Delay, unused */
 int  itemType; /* Returned by GetDItem but not used */
 Handle the_item; /* Handle to default button */
 Rect controlRect; /* Returned by GetDItem but not used */

GetDItem(theDialog, item_number, &itemType,  &the_item, &controlRect);
HiliteControl(the_item, 1); 
Delay(6, &tickScratch);
}

/********************************************/
/* The following function handles update events for your dialog box. 
 It is called whenever the filterProc receives an update event.  You 
can put whatever you want to be drawn in the dialog in it.  Right now 
it redraws the rounded rect around the default button (number one). */

/* Constants for drawing roundRect */
#define edgeCurve16
#define gapBetween -4
#define lineSize 3

void HandleUpdate(theDialog)
 DialogPtr theDialog;
{
 Rect controlRect; /* rectangle of the default control.  We
need this to draw the round rect. */
 int    itemType; /* Returned by GetDItem but not used */
 Handle the_item; /* ditto */
 Rect border; /* Rect of the thick border */
 
PenSize(lineSize, lineSize);
/* Get control #1’s rectangle and grow it a little bit, then call FrameRoundRect 
to draw it. */
GetDItem(theDialog, (int)1, &itemType, &the_item, &controlRect);
border = controlRect;
InsetRect(&border, gapBetween, gapBetween);  
FrameRoundRect(&border, edgeCurve, edgeCurve);     
}

/********************************************/
/* The following filterProc is used to handle extra events during the 
modal dialog loop, such as update events.  Its original purpose was to 
keep the default round-rect drawn around the control even after a screen 
saver has redrawn the screen. It also handles insertion of blank disks 
and button-keyboard equivalents. 
NOTE:  If you have one or more editable text fields within your modal 
dialog, your key equivalents should use the command key.  If you don’t 
have any editable text fields, your key equivalents can be handled straight. 
 The names of your buttons should all begin with unique first letters, 
and if you use command-key entry you should provide a legend of command-key 
equivalents next to the buttons. */
 
pascal Boolean FProc(theDialog,  theEvent, itemHit)
 DialogPtrtheDialog;
 EventRecord   *theEvent;
 int    *itemHit;
{
 long key; /* Holds the key code */
 Point  ctr; /* where the mouse click will go */
 int  DIResult; /* Returned by DIBadMount */
 EventRecorddiskEvent; /* Returned by EventAvail, below */

/* Since ModalDialog doesn’t handle bad disk mounts, we have a handler 
that will allow the user to format new disks with a modal dialog still 
on the screen. */

if (GetNextEvent(diskMask, &diskEvent) ==    TRUE)
{
 if (HiWord(diskEvent.message) != 0) 
 {
 diskEvent.where.h = ((screenBits.bounds.right
 - screenBits.bounds.left)/ 2) - (304 / 2);
 diskEvent.where.v = ((screenBits.bounds.bottom
 - screenBits.bounds.top)/  3) - (104 / 2);
 InitCursor();
 DIResult = DIBadMount(diskEvent.where, 
 diskEvent.message);
 }

} /* end of if GetNextEvent test for disk events */

switch (theEvent->what)
{
 case (updateEvt):
 HandleUpdate(theDialog);
 return FALSE;
/*Do not return an item hit value.  Returning
FALSE tells modalDialog to handle the update
event.  We have just added our own handling of the event. */
 break; 
 
 case (keyDown):
 key = theEvent->message & charCodeMask;
 switch(key)
 { 
/* key has been pressed, we want to interpret it properly. */
 case 13: /* Return key */
 { 
 FlashDialogItem(theDialog, 1);
 ctr = CenterDialogItem(theDialog, 1);

/* We can do it this way: change the event record to fool ModalDialog. 
 ModalDialog doesn’t flash the button long enough for my taste, so I 
flash it some more myself. */
 theEvent->what = mouseDown;
 LocalToGlobal (&ctr);
 theEvent->where = ctr;
 theEvent->message = 0;

/* Now we tell ModalDialog to handle the
event.  It doesn’t suspect a thing! */
 *itemHit = 1;
 return FALSE;
 break;
 }

 case 3: /* the Enter key */
 { 

/* Or we can do it our own way by flashing the button and telling ModalDialog 
to exit. */
 FlashDialogItem(theDialog, 1);
 *itemHit = 1;
 return TRUE;
 break;
 }
 
/* These key equivalents do not rely on the use of the command key.  
You would use these in your modal dialog only if you had no editable 
text fields. */
 case 49: /* 1 key */
 { 
 FlashDialogItem(theDialog, 1);
 *itemHit = 1;
 return TRUE;
 break;
 }

 case 50: /* 2 key */
 { 
 FlashDialogItem(theDialog, 2);
 *itemHit = 2;
 return TRUE;
 break;
 }

 case 51: /* 3 key */
 { 
 FlashDialogItem(theDialog, 3);
 *itemHit = 3;
 return TRUE;
 break;
 }
 
/* These key equivalents for buttons use
the command key, and are appropriate even 
for use in a modal dialog with editable text. */
 
 case 102:/* ASCII F */
 { 
 if (theEvent->modifiers & cmdKey)
 {
 FlashDialogItem(theDialog, 1);
 *itemHit = 1;
 return TRUE;
 break;
 }
 }
 
 case 115:/* ASCII S */
 { 
 if (theEvent->modifiers & cmdKey)
 {
 FlashDialogItem(theDialog, 2);
 *itemHit = 2;
 return TRUE;
 break;
 }
 }

 case 116:/* ASCII T */
 { 
 if (theEvent->modifiers & cmdKey)
 {
 FlashDialogItem(theDialog, 3);
 *itemHit = 3;
 return TRUE;
 break;
 }
 }
 
 default:
 {
 return FALSE; /* Do nothing if another key is chosen. */
 break;
 }
 } /* end of key code switch */
 
case (mouseDown):
 
/* You can insert your own mouse click
handlers here.  ModalDialog takes care of mouse events, but you can do 
do special processing.  For example, ModalDialog does nothing if a mouse 
click
occurs inside a modal dialog but outside of a control, but you could 
do something.  */
 
 return FALSE;
 break;
case (mouseUp):
 return FALSE;
 break;
default:
 return FALSE;
 break; 
/* We don’t handle any other types of events, so these get sent to ModalDialog 
unchanged. */    
 } /* end of switch */
} /* end of filterproc function */

/********************************************/
/* HandleDialog is a function to draw and dispose of a simple modal dialog. 
 It tells ModalDialog to use a filter proc to screen events for the dialog. 


Input: short Dialog_ID - the resource ID
Output: item number of the control that was hit to exit ModalDialog. 
*/

int HandleDialog(dialog_ID)
 short  dialog_ID; 
{
 int  itemHit; /* returned by ModalDialog */
 DialogPtrtheDialog; /* The dialog we will work with */
 GrafPtroldWindow; /* Saves the previous window */       

GetPort(&oldWindow);  /* save current grafPort */
SetDAFont(0);    /* use system font */
/* First, get the dialog from the resource and prepare to execute ModalDialog 
*/
theDialog = GetNewDialog(dialog_ID, (Ptr)0, (WindowPtr)-1);
if (ResError() != noErr)
/* Called if GetNewDialog returns an error.  You can put your own error 
handler here.  In this example we are assuming that the dialog is available 
in the application resource fork */
 {
 SysBeep(40);
 ExitToShell();
 }
 
ShowWindow(theDialog);
SetPort(theDialog);
FlushEvents(everyEvent, 0);
 
/*Modaldialog call should wait until event in active control*/
ModalDialog((ProcPtr)FProc, &itemHit);
DisposDialog(theDialog);
FlushEvents (everyEvent, 0);
SetPort(oldWindow);
/* restore drawing state */
return itemHit;
}
Listing:  Filterproc.r

**************************
* RMaker source file for
* filterProc application
**************************

Filterproc.Π.RSRC
RSRCRSED

Type DITL ;;Text for dialog
,1 ;;Resource number
5;;Number of items

Button Enabled
17 27 37 95
First \11F;;The non-printable character is * ASCII 17 (see text)

Button Enabled
17 108 37 182
Second \11S

Button Enabled
17 200 37 262
Third \11T

editText Disabled
137 86 157 222
This is editable text

staticText Enabled
61 43 115 246
This is an example of a modal dialog with command-key equivalents for 
buttons.
* The above text should be all on one line

Type DLOG ;;modal dialog
,1

90 120 266 420
Visible NoGoAway
5;;proc id
0;;refCon
1;;DITL

 
AAPL
$501.11
Apple Inc.
+2.43
MSFT
$34.64
Microsoft Corpora
+0.15
GOOG
$898.03
Google Inc.
+16.02

MacTech Search:
Community Search:

Software Updates via MacUpdate

Paperless 2.3.1 - Digital documents mana...
Paperless is a digital documents manager. Remember when everyone talked about how we would soon be a paperless society? Now it seems like we use paper more than ever. Let's face it - we need and we... Read more
Apple HP Printer Drivers 2.16.1 - For OS...
Apple HP Printer Drivers includes the latest HP printing and scanning software for Mac OS X 10.6, 10.7 and 10.8. For information about supported printer models, see this page.Version 2.16.1: This... Read more
Yep 3.5.1 - Organize and manage all your...
Yep is a document organization and management tool. Like iTunes for music or iPhoto for photos, Yep lets you search and view your documents in a comfortable interface, while offering the ability to... Read more
Apple Canon Laser Printer Drivers 2.11 -...
Apple Canon Laser Printer Drivers is the latest Canon Laser printing and scanning software for Mac OS X 10.6, 10.7 and 10.8. For information about supported printer models, see this page.Version 2.11... Read more
Apple Java for Mac OS X 10.6 Update 17 -...
Apple Java for Mac OS X 10.6 delivers improved security, reliability, and compatibility by updating Java SE 6.Version Update 17: Java for Mac OS X 10.6 Update 17 delivers improved security,... Read more
Arq 3.3 - Online backup (requires Amazon...
Arq is online backup for the Mac using Amazon S3 and Amazon Glacier. It backs-up and faithfully restores all the special metadata of Mac files that other products don't, including resource forks,... Read more
Apple Java 2013-005 - For OS X 10.7 and...
Apple Java for OS X 2013-005 delivers improved security, reliability, and compatibility by updating Java SE 6 to 1.6.0_65. On systems that have not already installed Java for OS X 2012-006, this... Read more
DEVONthink Pro 2.7 - Knowledge base, inf...
Save 10% with our exclusive coupon code: MACUPDATE10 DEVONthink Pro is your essential assistant for today's world, where almost everything is digital. From shopping receipts to important research... Read more
VirtualBox 4.3.0 - x86 virtualization so...
VirtualBox is a family of powerful x86 virtualization products for enterprise as well as home use. Not only is VirtualBox an extremely feature rich, high performance product for enterprise customers... Read more
Merlin 2.9.2 - Project management softwa...
Merlin is the only native network-based collaborative Project Management solution for Mac OS X. This version offers many features propelling Merlin to the top of Mac OS X professional project... Read more

Briquid Gets Updated with New Undo Butto...
Briquid Gets Updated with New Undo Button, Achievements, and Leaderboards, on Sale for $0.99 Posted by Andrew Stevens on October 16th, 2013 [ | Read more »
Halloween – iLovecraft Brings Frightenin...
Halloween – iLovecraft Brings Frightening Stories From Author H.P. | Read more »
The Blockheads Creator David Frampton Gi...
The Blockheads Creator David Frampton Gives a Postmortem on the Creation Process of the Game Posted by Andrew Stevens on October 16th, 2013 [ permalink ] Hey, a | Read more »
Sorcery! Enhances the Gameplay in Latest...
Sorcery! | Read more »
It Came From Australia: Tiny Death Star
NimbleBit and Disney have teamed up to make Star Wars: Tiny Death Star, a Star Wars take on Tiny Tower. Right now, the game is in testing in Australia (you will never find a more wretched hive of scum and villainy) but we were able to sneak past... | Read more »
FIST OF AWESOME Review
FIST OF AWESOME Review By Rob Rich on October 16th, 2013 Our Rating: :: TALK TO THE FISTUniversal App - Designed for iPhone and iPad A totalitarian society of bears is only the tip of the iceberg in this throwback brawler.   | Read more »
PROVERBidioms Paints English Sayings in...
PROVERBidioms Paints English Sayings in a Picture for Users to Find Posted by Andrew Stevens on October 16th, 2013 [ permalink ] | Read more »
OmniFocus 2 for iPhone Review
OmniFocus 2 for iPhone Review By Carter Dotson on October 16th, 2013 Our Rating: :: OMNIPOTENTiPhone App - Designed for the iPhone, compatible with the iPad OmniFocus 2 for iPhone is a task management app for people who absolutely... | Read more »
Ingress – Google’s Augmented-Reality Gam...
Ingress – Google’s Augmented-Reality Game to Make its Way to iOS Next Year Posted by Andrew Stevens on October 16th, 2013 [ permalink ] | Read more »
CSR Classics is Full of Ridiculously Pre...
CSR Classics is Full of Ridiculously Pretty Classic Automobiles Posted by Rob Rich on October 16th, 2013 [ permalink ] | Read more »

Price Scanner via MacPrices.net

Apple Store Canada offers refurbished 11-inch...
 The Apple Store Canada has Apple Certified Refurbished 2013 11″ MacBook Airs available starting at CDN$ 849. Save up to $180 off the cost of new models. An Apple one-year warranty is included with... Read more
Updated MacBook Price Trackers
We’ve updated our MacBook Price Trackers with the latest information on prices, bundles, and availability on MacBook Airs, MacBook Pros, and the MacBook Pros with Retina Displays from Apple’s... Read more
13-inch Retina MacBook Pros on sale for up to...
B&H Photo has the 13″ 2.5GHz Retina MacBook Pro on sale for $1399 including free shipping. Their price is $100 off MSRP. They have the 13″ 2.6GHz Retina MacBook Pro on sale for $1580 which is $... Read more
AppleCare Protection Plans on sale for up to...
B&H Photo has 3-Year AppleCare Warranties on sale for up to $105 off MSRP including free shipping plus NY sales tax only: - Mac Laptops 15″ and Above: $244 $105 off MSRP - Mac Laptops 13″ and... Read more
Apple’s 64-bit A7 Processor: One Step Closer...
PC Pro’s Darien Graham-Smith reported that Canonical founder and Ubuntu Linux creator Mark Shuttleworth believes Apple intends to follow Ubuntu’s lead and merge its desktop and mobile operating... Read more
MacBook Pro First, Followed By iPad At The En...
French site Info MacG’s Florian Innocente says he has received availability dates and order of arrival for the next MacBook Pro and the iPad from the same contact who had warned hom of the arrival of... Read more
Chart: iPad Value Decline From NextWorth
With every announcement of a new Apple device, serial upgraders begin selling off their previous models – driving down the resale value. So, with the Oct. 22 Apple announcement date approaching,... Read more
SOASTA Survey: What App Do You Check First in...
SOASTA Inc., the leader in cloud and mobile testing announced the results of its recent survey showing which mobile apps are popular with smartphone owners in major American markets. SOASTA’s survey... Read more
Apple, Samsung Reportedly Both Developing 12-...
Digitimes’ Aaron Lee and Joseph Tsai report that Apple and Samsung Electronics are said to both be planning to release 12-inch tablets, and that Apple is currently cooperating with Quanta Computer on... Read more
Apple’s 2011 MacBook Pro Lineup Suffering Fro...
Appleinsider’s Shane Cole says that owners of early-2011 15-inch and 17-inch MacBook Pros are reporting issues with those models’ discrete AMD graphics processors, which in some cases results in the... Read more

Jobs Board

*Apple* Retail - Manager - Apple (United Sta...
Job SummaryKeeping an Apple Store thriving requires a diverse set of leadership skills, and as a Manager, youre a master of them all. In the stores fast-paced, dynamic Read more
*Apple* Support / *Apple* Technician / Mac...
Apple Support / Apple Technician / Mac Support / Mac Set up / Mac TechnicianMac Set up and Apple Support technicianThe person we are looking for will have worked Read more
Senior Mac / *Apple* Systems Engineer - 318...
318 Inc, a top provider of Apple solutions is seeking a new Senior Apple Systems Engineer to be based out of our Santa Monica, California location. We are a Read more
*Apple* Retail - Manager - Apple Inc. (Unite...
Job Summary Keeping an Apple Store thriving requires a diverse set of leadership skills, and as a Manager, you’re a master of them all. In the store’s fast-paced, Read more
*Apple* Solutions Consultant - Apple (United...
**Job Summary** Apple Solutions Consultant (ASC) - Retail Representatives Apple Solutions Consultants are trained by Apple on selling Apple -branded products Read more
All contents are Copyright 1984-2011 by Xplain Corporation. All rights reserved. Theme designed by Icreon.