PHP 例 - AJAXライブ検索

❮ 前章へ 次章へ ❯

AJAXは、ユーザ・フレンドリでインタラクティブな検索を作成するためにを使用することができます。


AJAXライブ検索

次の例では、入力中に検索結果を取得するライブ検索を示しています。

ライブ検索には、従来の検索と比べ、次のような多くの利点があります:

下の入力フィールドでW3Schoolsのページを検索してください:

上の例の結果は、XMLファイル(links.xml)に出力されます。 この例を小さく単純にするためには、6つの結果だけが利用できます。


例の説明 - HTMLページ

ユーザが、上の入力フィールドに文字を入力すると、関数 "showResult()"が実行されます。 この関数は "onkeyup"イベントによってトリガされます:

<html>
<head>
<script>
function showResult(str) {
  if (str.length==0) {
    document.getElementById("livesearch").innerHTML="";
    document.getElementById("livesearch").style.border="0px";
    return;
  }
  if (window.XMLHttpRequest) {
    // code for IE7+, Firefox, Chrome, Opera, Safari
    xmlhttp=new XMLHttpRequest();
  } else {  // code for IE6, IE5
    xmlhttp=new ActiveXObject("Microsoft.XMLHTTP");
  }
  xmlhttp.onreadystatechange=function() {
    if (this.readyState==4 && this.status==200) {
      document.getElementById("livesearch").innerHTML=this.responseText;
      document.getElementById("livesearch").style.border="1px solid #A5ACB2";
    }
  }
  xmlhttp.open("GET","livesearch.php?q="+str,true);
  xmlhttp.send();
}
</script>
</head>
<body>

<form>
<input type="text" size="30" onkeyup="showResult(this.value)">
<div id="livesearch"></div>
</form>

</body>
</html>

ソースコードの説明:

入力フィールドが空の場合(str.length==0)、関数はlivesearchプレースホルダの内容をクリアして関数を脱け出します。

入力フィールドが空でない場合、showResult()関数は次を実行します:


PHPファイル

上のJavaScriptによって呼び出されるサーバ上のページは、"livesearch.php"というPHPファイルです。

"livesearch.php"内のソースコードは、検索文字列と一致するタイトルをXMLファイルで検索し、結果を返します:

<?php
$xmlDoc=new DOMDocument();
$xmlDoc->load("links.xml");

$x=$xmlDoc->getElementsByTagName('link');

//get the q parameter from URL
$q=$_GET["q"];

//lookup all links from the xml file if length of q>0
if (strlen($q)>0) {
  $hint="";
  for($i=0; $i<($x->length); $i++) {
    $y=$x->item($i)->getElementsByTagName('title');
    $z=$x->item($i)->getElementsByTagName('url');
    if ($y->item(0)->nodeType==1) {
      //find a link matching the search text
      if (stristr($y->item(0)->childNodes->item(0)->nodeValue,$q)) {
        if ($hint=="") {
          $hint="<a href='" .
          $z->item(0)->childNodes->item(0)->nodeValue .
          "' target='_blank'>" .
          $y->item(0)->childNodes->item(0)->nodeValue . "</a>";
        } else {
          $hint=$hint . "<br /><a href='" .
          $z->item(0)->childNodes->item(0)->nodeValue .
          "' target='_blank'>" .
          $y->item(0)->childNodes->item(0)->nodeValue . "</a>";
        }
      }
    }
  }
}

// Set output to "no suggestion" if no hint was found
// or to the correct values
if ($hint=="") {
  $response="no suggestion";
} else {
  $response=$hint;
}

//output the response
echo $response;
?>

JavaScriptから送信されたテキストがある場合(strlen($q) > 0)は、次のことが行われます:


❮ 前章へ 次章へ ❯