Ajax Autocomplete Tutorial

This a solution i used in many autocomplete input fields. I have implemented it to php and C# web application.
Dont be scared to use it, its really simple to use. The tutorial is fully explanatory.

Part 1: Auto Complete

Start by creating a new PHP page and placing the agent.php (Ajax Agent) file in the same directory. Open your new PHP page in an editor and start hacking away.

First create the HTML Form controls we will be using:
txtArtists = TextBox to type the ArtistName in.
matches = A SelectBox with an onclick event which will be used to send the ArtistName to the AlbumSearch method we will be creating.
txtArtistID = Hidden to hold the selected ArtistName (js cannot see the select box because it is hidden?)
htmlOutput = An empty DIV when we will be creating a list of Albums
htmlOutputTracks = An empty DIV when we will be creating a list of Tracks
[sourcecode lang=”html”]





[/sourcecode]

Now at the top of the page add a new PHP script tag with an include for agent.php and a new $agent object. Any other PHP code that we must be placed before (above) this code.
[sourcecode lang=”C”]
/* my functions go here
and
here
*/
include_once(“agent.php”);
$agent->();
[/sourcecode]

Next we’ll add the first function that search for Artists by name.
GetArtist function works by taking a string parameter and uses it to search for Artists who’s name begin with it using a Regular Expression. The list of Artists are stored in an Array array and we will use a foreach loop to search the Artis Name. If we find a match we add it to a second $results array and them move on to the next item in the array. Once we have reached the end of the $Artist Array we re-sort the $results Array. Lastly we only want to return a list of Artist Name so we’ll use the array_values($results) function.

[sourcecode lang=”C”]
function GetArtist( $text ){
include(“dbconn.inc.php”);
$strSQL = “SELECT * FROM artists WHERE artist_name LIKE ‘$text%’”;
$db= mysql_connect($dbHost, $dbUser,$dbPwd);
mysql_select_db($dbName,$db);
$result = mysql_query($strSQL,$db);
$num = mysql_num_rows($result);
$listArray = array();
$i=0;
while ($i<$num) { $artist_name = mysql_result($result,$i,“artist_name”); $listArray[$i] = $artist_name; $i++; } asort( $listArray ); mysql_close($db); return $listArray; } [/sourcecode] So far we have a form and a PHP function now we need to wire up some ajax to make this work. There are some visibility issues with JS and the HTML Controls so the block needs to be below the form elements. We need to create 2 JS functions to get this to work.The first function GetArtist is what we will call from our OnKey Event iun the search text box and the second function is the Callback method we will send our search results to. In the GetArtist function we are creating a temp variable to get the letters from the search box and then we are using the agent.call function do define the PHP function, the JS Callback and the parameters we are sending. [sourcecode lang="C"] var matchList = document.getElementById(“matches”); function GetArtist() { var artistName = document.getElementById(‘artistName’).value; agent.call(”,‘GetArtist’,‘GetArtist_Callback’,artistName); } [/sourcecode] In the GetArtist_Callback we are setting the Select Box to visible and then giving it a display size which is equal to the number of items returned from the search. Then we loop over the items and add them to the select box. [sourcecode lang="C"] function GetArtist_Callback(obj) { matchList.style.visibility = “visible”; matchList.options.length = 0; //reset the states dropdown matchList.size = obj.length; for (var i = 0; i < obj.length; i++) { matchList.options[matchList.options.length] =new Option(obj[i]); } } [/sourcecode] And lastly we have the MatchSelected JS function which is called by the OnClick event of the SelectBox: [sourcecode lang="C"] function MatchSelected(matches) { var artistName = document.getElementById(“artistName”); artistName.value = matches.options[matches.selectedIndex].text; GetAlbumByArtist(artistName.value); } [/sourcecode] We will cover this function in the next section but for now just know that it invokes the Ajax function that gets a list of Albums by the selected Artist. If all has gone well you should be able to start typing in a name and some results should show as a select box. Once you have this part working we will move on to the second function of GetAlbumsByArtist.

Part 2: Posting Back

This next part is some very cool stuff. What we are going to do is select an item from the SelectBox which will return a list of Albums by the selected Artist. Since the list of Albums is being held in a server-side PHP Array getting the data back requires a round-trip to the server. In any normal case this is done in a Form Post which casues a page refresh but we are going to use Ajax to fire-off the server-side request for the data and avoid refreshing the page all together. The Get Albums task is made up of 2 parts: a server-side PHP function that searchs for the Albums and a client-side Ajax function that invokes the server-side function and hadles the response.The PHP function GetAlbumByArtist works like the GetArtist PHP function but instead of a regex we’ll just use a string comparison usiug the Artist Name.

[sourcecode lang=”C”]
function GetAlbumByArtist( $text )
{
include(“dbconn.inc.php”);
$strSQL = “SELECT albums.album_name FROM albums INNER JOIN artists ON
albums.artist_id = artists.artist_id where artists.artist_name = ‘$text'”;
$db = mysql_connect($dbHost, $dbUser,$dbPwd);
mysql_select_db($dbName,$db);
$result = mysql_query($strSQL,$db);
$num = mysql_num_rows($result);
$listArray = array();
$i=0;
while ($i<$num) { $listArray[$i] = mysql_result($result,$i,"album_name"); $i++; } asort( $listArray ); mysql_close($db); return array_values($listArray); } [/sourcecode] In the FORM we created a SelectBox that has an OnClick(“MatchSelected(this)”) function defined. The MatchSelected function calls the GetAlbumByArtist and passes it the selected Artist Name. GetAlbumByArtist then invokes the agent.call method which has the Server-side PHP function defined, the client-side callback handler and the parameters we want to send to the PHP function. The agent.call has an optional first parameter of URL which can be used if your PHP code in in a seprate file. For example: [sourcecode lang="c"] agent.call('musicSearch.php','GetAlbumByArtist','GetAlbumByArtist_Callback',val);[/sourcecode] If you use a seperate PHP file you’ll need to be sure to add the following lines to the end of the file: [sourcecode lang="c"] init();
?>
[/sourcecode]

First we add the GetAlbumByArtist:

Javascript:
[sourcecode lang=”c”]function GetAlbumByArtist(val) {
agent.call(”,’GetAlbumByArtist’,’GetAlbumByArtist_Callback’,val);
}[/sourcecode]
The we add the the call back function but this time instead of placing our results in a Select Box we will be creating an Unordered list and placing the list inside a DIV.

[sourcecode lang=”c”]function GetAlbumByArtist_Callback(obj) {

var htmlOutput = document.getElementById(“htmlOutput”);
var html = [];
for (var i in obj){
html[html.length] = ‘

  • ‘ + obj[i] + ‘
  • ‘;
    }
    document.getElementById(“htmlOutput”).innerHTML = ‘


      +html.join(”)+’

    ‘;
    document.getElementById(“htmlOutputTracks”).innerHTML =”;
    }[/sourcecode]

    You can see that in the link that we create has an OnClick() event defined. This will fire off another Ajax function that returns a list of Tracks for a selected Album.

    What you should have now is a search box that has an Ajax Auto-Complete function which return a list of Artist and a SelectBox that has a no-post back function which returns a list of Albums.

    Part 3: On Your Own

    Your last task is to use the OnClick() event in the Albums list to return a list of Tracks on an Album.

    Remeber this is a 2 part process.

    Part 1: Define a a PHP function that search for an Array of Tracks using the Album Name.

    Part 2: On the client side:
    A: define a JS function that invokes the agent.call function and passes it the Album Name.
    B: Define an Callback function that handles the response from the server-side PHP function and then binds it to an html control.

    It’s very easy to do so you should give it a shot before peaking at the source code.

    Posted in Uncategorized

    5 thoughts on “Ajax Autocomplete Tutorial

    1. Hi. I repeatedly announce this forum. This is the head culture unqualified to ask a query.
      How numberless in this forum are references progressive behind, disingenuous users?
      Can I bank all the facts that there is?

    2. Hello. Where do I download agent.php? Also, I do not see a link for the source code. This looks like a great tutorial and I would like to complete it but I cannot without the code.

      Thanks.

      1. This post is actually outdated. Ajax calls can be made very easily with many open JS frameworks.

    Leave a Reply

    Your email address will not be published. Required fields are marked *