rss feed Twitter Page Facebook Page Github Page Stack Over Flow Page

How to detect an AJAX request in PHP

Web 2.0 is well known for its AJAX cool features. If you simply enjoy these features, you won't probably care what's behind the scene. On the other hand, if you build them it's something you should care about.

A common way to detect an AJAX request is to add a token as argument, like:

/script.php?request=ajax

and then on the PHP script use the _GET to validate:

if(!isset($_GET['request']) || $_GET['request'] != 'ajax') {
    die();
}
// rest of the code ...

This solution works, but there's a better way to implement this solution. The solution is to check for the server variable called HTTP_X_REQUESTED_WITH. When a php script is called via an AJAX request, the value of this variable is set to "XMLHttpRequest". Therefore, you don't need to set up any extra variables in the URL or the form.

Here's how to implement the code using the HTTP_X_REQUESTED_WITH variable:

if(!isset($_SERVER['HTTP_X_REQUESTED_WITH']) || $_SERVER['HTTP_X_REQUESTED_WITH'] !== 'XMLHttpRequest') {
    die();
}

// rest of the code ...

This works for jQuery; it may or may not work for other Javascript frameworks.