AJAX PHP の例

❮ 前章へ 次章へ ❯

AJAX は、よりインタラクティブなアプリケーションの作成に用いられます。


AJAX PHP 例

次の例は、ユーザが入力フィールドに文字をタイプする間に、Web ページが Web サーバとどのように通信できるかのデモです:

Start typing a name in the input field below:

First name:

Suggestions:



例の説明

上の例で、入力フィールドに文字をタイプすると、関数 "showHint()" が実行されます。

関数は、onkeyup イベントによってトリガーされます。

下に、HTML コードを示します:

<html>
<head>
<script>
function showHint(str) {
    if (str.length == 0) {
        document.getElementById("txtHint").innerHTML = "";
        return;
    } else {
        var xmlhttp = new XMLHttpRequest();
        xmlhttp.onreadystatechange = function() {
            if (this.readyState == 4 && this.status == 200) {
                document.getElementById("txtHint").innerHTML = this.responseText;
            }
        };
        xmlhttp.open("GET", "gethint.php?q=" + str, true);
        xmlhttp.send();
    }
}
</script>
</head>
<body>

<p><b>Start typing a name in the input field below:</b></p>
<form>
First name: <input type="text" onkeyup="showHint(this.value)">
</form>
<p>Suggestions: <span id="txtHint"></span></p>
</body>
</html>
Try it Yourself »

コードの説明:

先ず、入力フィールドが空かどうかをチェックします(str.length == 0)。 空であれば、txtHint プレースホールダのコンテンツをクリアし、関数を脱け出します。

入力フィールドが空でなければ、以下を実行します:


PHP ファイル - "gethint.php"

PHP ファイルは、names 配列をチェックし、一致する名前をブラウザに返します:

<?php
// Array with names
$a[] = "Anna";
$a[] = "Brittany";
$a[] = "Cinderella";
$a[] = "Diana";
$a[] = "Eva";
$a[] = "Fiona";
$a[] = "Gunda";
$a[] = "Hege";
$a[] = "Inga";
$a[] = "Johanna";
$a[] = "Kitty";
$a[] = "Linda";
$a[] = "Nina";
$a[] = "Ophelia";
$a[] = "Petunia";
$a[] = "Amanda";
$a[] = "Raquel";
$a[] = "Cindy";
$a[] = "Doris";
$a[] = "Eve";
$a[] = "Evita";
$a[] = "Sunniva";
$a[] = "Tove";
$a[] = "Unni";
$a[] = "Violet";
$a[] = "Liza";
$a[] = "Elizabeth";
$a[] = "Ellen";
$a[] = "Wenche";
$a[] = "Vicky";

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

$hint = "";

// lookup all hints from array if $q is different from ""
if ($q !== "") {
    $q = strtolower($q);
    $len=strlen($q);
    foreach($a as $name) {
        if (stristr($q, substr($name, 0, $len))) {
            if ($hint === "") {
                $hint = $name;
            } else {
                $hint .= ", $name";
            }
        }
    }
}

// Output "no suggestion" if no hint was found or output correct values
echo $hint === "" ? "no suggestion" : $hint;
?>

❮ 前章へ 次章へ ❯