Click here to Skip to main content
15,881,882 members
Articles / Web Development / HTML
Article

Google Suggest like Dictionary

Rate me:
Please Sign up or sign in to vote.
4.87/5 (78 votes)
26 Dec 20043 min read 307.4K   3.2K   206   70
An implementation of Google suggest using remote scripting.

Dictionary

Introduction

This is an implementation of Google Suggest like dictionary in ASP.NET.

Background

After seeing Google Suggest, I was amazed and wanted to know how it worked. This project is just an experiment using the same technique that Google uses.

Using the code

The ZIP file consists of two files. One is an HTML file that uses the XMLHttpRequest object to make requests and get back data. The other one is a server script implemented in ASP.NET that connects to a SQL Server database. If you wish to implement a similar interface, just use the HTML functions provided. A proof of concept website could be accessed here.

How does it work?

The architecture could be explained as outlined below:

  • Concept
  • The database
  • ASP.NET page
  • XMLHttpRequest object in the HTML page
  • Observations

Concept

As you type a word in the textbox, a JavaScript event fires an HTTP GET request to the ASPX page. The response from the ASPX page is simply displayed in a div tag under the textbox. The page is not refreshed/reloaded for every keystroke as everything is done by the JavaScript in the page. The main JavaScript object that allows us to do this is XMLHttpRequest. You could read about it from Apple's developer site here. This is supported by IE 5.0 +, Mozilla 1.0 + and Apple's own Safari 1.2 +.

Image 2

Database

The database contains just one table. The data comes from a freely available online dictionary (a public domain English word list dictionary, based on the public domain portion of "The Project Gutenberg Etext of Webster's Unabridged Dictionary" which is in turn based on the 1913 US Webster's Unabridged Dictionary. You could download it from here). The table is called WordList:

WordList
Wordvarchar(255)
Typevarchar (10)
Meaningtext

I created an index on "Word" column for speed. There are a total of 182696 words in the database.

ASP.NET page

The ASP.NET page is pretty straight forward. Gets the top 10 matching rows from the database and spits it out. Below is the code I am using (although SqlDataReader might be more appropriate):

C#
<%@Page Language="C#"%>
<%@Import Namespace="System.Data"%>
<%@Import Namespace="System.Data.SqlClient"%>
<%@Import Namespace="System.Configuration"%>

<script runat="server">

    public void Page_Load(object sender,EventArgs args)
    {
        string keyword=Request["k"];
        if(keyword!=null  && keyword.Trim()!="")
        {
            string sql="select top 10* from WordList where" + 
                   " word like '"+keyword.Trim().Replace("'","''")+"%'";
            SqlConnection conn=new 
               SqlConnection(ConfigurationSettings.AppSettings["connectionString"]);
            conn.Open();
            DataTable dt=new DataTable();
            SqlCommand command=new SqlCommand(sql,conn);
            SqlDataAdapter adapter=new SqlDataAdapter(command);
            adapter.Fill(dt);
            conn.Close();

            foreach(DataRow row in dt.Rows)
            {
                string meaning=row["Meaning"].ToString();
                Response.Write("<strong>"+row["Word"].ToString()+"</strong> <i>");
                  Response.Write("row["Type"].ToString()+"</i>: "+meaning+"<br>");
            }
        }


    }

</script>

XMLHttpRequest object in the HTML page

JavaScript
<html>
    <head>
        <script>
var req;

function Initialize()
{
    try
    {
        req=new ActiveXObject("Msxml2.XMLHTTP");
    }
    catch(e)
    {
        try
        {
            req=new ActiveXObject("Microsoft.XMLHTTP");
        }
        catch(oc)
        {
            req=null;
        }
    }

    if(!req&&typeof XMLHttpRequest!="undefined")
    {
        req=new XMLHttpRequest();
    }

}

function SendQuery(key)
{
    Initialize();
    var url="http://www.objectgraph.com/dictionary/dict.aspx?k="+key;

    if(req!=null)
    {
        req.onreadystatechange = Process;
        req.open("GET", url, true);
        req.send(null);

    }

}

function Process()
{
    if (req.readyState == 4)
        {
        // only if "OK"
            if (req.status == 200)
            {
                if(req.responseText=="")
                    HideDiv("autocomplete");
                else
                {
                    ShowDiv("autocomplete");
                    document.getElementById("autocomplete").innerHTML = 
                                                      req.responseText;
                }
            }
            else
            {
                document.getElementById("autocomplete").innerHTML=
                    "There was a problem retrieving data:<br>" 
                    + req.statusText;
            }
        }
}

function ShowDiv(divid)
{
   if (document.layers) document.layers[divid].visibility="show";
   else document.getElementById(divid).style.visibility="visible";
}

function HideDiv(divid)
{
   if (document.layers) document.layers[divid].visibility="hide";
   else document.getElementById(divid).style.visibility="hidden";
}

function BodyLoad()
{
    HideDiv("autocomplete");
    document.form1.keyword.focus();

}
</script>
    </head>
    <body onload="BodyLoad();">
        <form name="form1">
        <input name="keyword" onKeyUp="SendQuery(this.value)" 
          style="WIDTH:500px" autocomplete="off">
            <div align="left" class="box" id="autocomplete" 
              style="WIDTH:500px;BACKGROUND-COLOR:#ccccff"></div>
        </form>

    </body>
</html>

The KeyUp event on the textbox triggers the SendQuery method. Note that we are disabling the auto-complete feature so it does not overlap with our div tag. The Initialize method creates the XMLHttpRequest object. In Mozilla and Safari, you could simply do this by using:

C#
req=new XMLHttpRequest();

In IE, you could create the object based on the user's installation of MSXML libraries. The Process method acts as an event handler and displays the response text once the response is complete from the web server.

Observations

  • Google Suggest is probably running by having all the suggestion words in main memory and a custom web server that does nothing else (although this concept is very easy to implement in C#).
  • Roundtrips from the web server should be minimal (2K max) as it might eat up bandwidth pretty fast.

History

  • December 24, 2004
    • Initial version 1.0.

License

This article has no explicit license attached to it but may contain usage terms in the article text or the download files themselves. If in doubt please contact the author via the discussion board below.

A list of licenses authors might use can be found here


Written By
Web Developer
United States United States
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
GeneralGoogle Hacks: 100 Industrial-Strength Tips &amp; Tools Pin
Anonymous14-Aug-05 2:53
Anonymous14-Aug-05 2:53 
Generalnot able to host the page Pin
iomca4u6-Aug-05 18:14
iomca4u6-Aug-05 18:14 
QuestionSelecting words using the arrow keys? Pin
Anonymous11-Jul-05 3:36
Anonymous11-Jul-05 3:36 
GeneralUSING ACCESS DATABASE INSTEAD OF SQL Pin
vcdflow14-Jun-05 15:22
vcdflow14-Jun-05 15:22 
GeneralRe: USING ACCESS DATABASE INSTEAD OF SQL Pin
wahabm8-Aug-06 0:11
wahabm8-Aug-06 0:11 
GeneralThe dictionary to use Pin
smiling4ever6-Jun-05 4:26
smiling4ever6-Jun-05 4:26 
GeneralDictionary for this article Pin
smiling4ever6-Jun-05 1:32
smiling4ever6-Jun-05 1:32 
Generalproblem to retrieve data (please help me) Pin
bibipopopopo28-Apr-05 12:23
bibipopopopo28-Apr-05 12:23 
Generalvb.net sample Pin
bibipopopopo28-Apr-05 11:18
bibipopopopo28-Apr-05 11:18 
GeneralNice Job Pin
Alamier7919-Apr-05 3:47
Alamier7919-Apr-05 3:47 
Generalgreat but...you can do more! Pin
POMARC14-Apr-05 21:52
POMARC14-Apr-05 21:52 
GeneralRe: great but...you can do more! Pin
LimeyRedneck3-Aug-05 6:41
professionalLimeyRedneck3-Aug-05 6:41 
GeneralSame as google sugges Pin
ccheee15-Feb-05 13:44
ccheee15-Feb-05 13:44 
GeneralIs it possible to use dll instead of aspx page in URL Pin
Karasi11-Feb-05 1:11
Karasi11-Feb-05 1:11 
GeneralRe: Is it possible to use dll instead of aspx page in URL Pin
User 19428927-Jun-05 0:12
User 19428927-Jun-05 0:12 
GeneralRe: Is it possible to use dll instead of aspx page in URL Pin
Ashwinks15-Dec-05 12:34
Ashwinks15-Dec-05 12:34 
GeneralExcellent article Pin
omri31-Jan-05 11:34
omri31-Jan-05 11:34 
GeneralRe: Excellent article Pin
Gavi Narra7-Feb-05 14:24
Gavi Narra7-Feb-05 14:24 
QuestionHow about the performance? Pin
Hardy Wang31-Jan-05 5:44
Hardy Wang31-Jan-05 5:44 
AnswerRe: How about the performance? Pin
Gavi Narra7-Feb-05 14:24
Gavi Narra7-Feb-05 14:24 
GeneralRe: How about the performance? Pin
User 19428926-Jun-05 23:54
User 19428926-Jun-05 23:54 
GeneralRe: How about the performance? Pin
User 19428927-Jun-05 0:09
User 19428927-Jun-05 0:09 
AnswerRe: How about the performance? Pin
psi_u14-Aug-05 5:55
psi_u14-Aug-05 5:55 
AnswerRe: How about the performance? Pin
Spiff Dog20-Feb-06 14:58
Spiff Dog20-Feb-06 14:58 
Generalaspx page returns blanks Pin
libajgl13-Jan-05 10:27
libajgl13-Jan-05 10:27 

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.