06 Apr 2014

On Curl's CURLOPT_NOBODY

Curl has a CURLOPT_NOBODY option that allows you exclude the body from the output. In other words, only the HTTP headers are returned in the request; the content is not. This is extremely useful when you need to just “hit” a URL and “leave” without retrieving the content. Or say you want to verify a link works or get details of a resource (size of an image or mp3 file for example) without downloading it.

What many don’t know however (just did myself) is that underneath, the option sets the request method to HEAD. That said, never use the option when making a POST; whether you need the result or not!

1
2
3
4
5
6
7
$ch = curl_init();
curl_setopt($ch, CURLOPT_NOBODY, true); // <-- Dont!

curl_setopt($ch, CURLOPT_URL, $url);
curl_setopt($ch, CURLOPT_CUSTOMREQUEST, 'POST');
curl_setopt($ch, CURLOPT_POSTFIELDS, $data);
curl_exec($ch);
curl_close($ch);

Interestingly, that [may] work. The data may still get posted. (I still insist you shouldn’t do it though). Where you run into troubles is when you are not posting www-urlencoded form data - JSON for example. In my case, I was sending some JSON data from PHP to a NodeJS server.

1
2
3
4
5
6
7
8
9
$ch = curl_init();
$headers = array('Content-Type: application/json');
curl_setopt($ch, CURLOPT_NOBODY, true);
curl_setopt($ch, CURLOPT_HTTPHEADER, $headers);
curl_setopt($ch, CURLOPT_URL, $url);
curl_setopt($ch, CURLOPT_CUSTOMREQUEST, 'POST');
curl_setopt($ch, CURLOPT_POSTFIELDS, json_encode($data));
curl_exec($ch);
curl_close($ch);
1
2
3
4
5
6
7
8
9
10
var http = require('http')
    ,express = require('express');

var server = http.createServer(app).listen(3000);
app.use(express.bodyParser());

app.post('/post-endpoint', function(req, res){
    console.dir(req.body); // <-- nothing!

    res.end();
});

I wasn’t getting anything in my post-endpoint till I removed the CURLOPT_NOBODY option.

 

Looking for a simple marketing automation tool to automate your customer onboarding, retention and lifecycle emails? Check out Engage and signup for free.

 

My name is Opeyemi Obembe. I build things for web and mobile and write about my experiments. Follow me on Twitter–@kehers.

 

Next post: Javascript, form reset and hidden fields