How to make ajax request pHP

"Learn how to make an Ajax request with PHP, plus a step-by-step example to get you started."

Making an AJAX request in PHP

AJAX (Asynchronous JavaScript and XML) is a set of web development techniques that allows a website to send and receive data asynchronously without reloading the page. AJAX requests can be made using JavaScript, but in this example, we'll be using PHP to make the request.

To make an AJAX request in PHP, we'll be using the cURL library. cURL is a library that allows us to make HTTP requests from within a PHP script. We can use cURL to make GET and POST requests, and we can also use it to send data in the body of the request.

Let's say we want to make a GET request to a web page. We can use the following code to do that:


$curl = curl_init();

curl_setopt($curl, CURLOPT_URL, 'https://example.com');
curl_setopt($curl, CURLOPT_RETURNTRANSFER, true);

$response = curl_exec($curl);

curl_close($curl);

This code sets up the cURL request and sends it. The response we get back is stored in the $response variable. We can then use that response however we want.

Let's say we want to make a POST request instead. We can do that using the following code:


$data = array(
    'name' => 'John',
    'email' => '[email protected]',
    'message' => 'Hello world!'
);

$curl = curl_init();

curl_setopt($curl, CURLOPT_URL, 'https://example.com');
curl_setopt($curl, CURLOPT_POST, true);
curl_setopt($curl, CURLOPT_POSTFIELDS, http_build_query($data));
curl_setopt($curl, CURLOPT_RETURNTRANSFER, true);

$response = curl_exec($curl);

curl_close($curl);

This code sets up the cURL request and sends it with data in the body. The data is stored in an array, and then it is converted to a query string using the http_build_query() function. The response we get back is stored in the $response variable, just like before.

We can use the cURL library to make AJAX requests in PHP. This is a simple example, but cURL can do a lot more than just making requests. You can find more information about cURL in the PHP documentation.

Answers (0)