The following is a guest post by Eduardo Bouças. We all know WordPress is a CMS, but here Eduardo thinks about using it only as an API for content. No front end at all, just URL endpoints that return JSON for use anywhere else. This doesn’t detail a comprehensive solution to doing this, it’s food for thought with some example code to get you going on a custom solution. If you want to get started developing on a system like this right away, WP REST API is the most robust project with the most momentum.
I was recently asked to choose and implement a CMS solution for a digital agency to manage multiple websites in a single installation. For a huge number of reasons, the prime candidate was WordPress. It’s free and open-source, has a huge user community, it’s easy to use, and has a multisite feature. It’s unquestionably a commercially-proven and mature product. But, I had my reservations.
Using WordPress in a conventional way means making an installation, creating a theme (or modifying an existing one) and accepting that every further customization will have to find its place in the ecosystem created by the CMS: the programming languages and technologies (PHP and MySQL) as well as the clever — but quite complex — world of plugins, themes, actions, filters and whatnot.
I’ve always envisioned content as the center of everything on a website. The nature and creative concept of each individual project should dictate what medium and technologies can best deliver the content, not the CMS.
I don’t want to have my technology choice for a project limited to PHP just because WordPress is built on it, and I want developers to have the freedom to choose whatever technology stack they see fit to create independent and self-contained websites, not just WordPress plugins and themes.
Creating a middleman
An API-first solution, with an intermediate layer that sits between the website and the CMS, can free WordPress from dealing with any frontend business and leave it with the sole purpose of managing and delivering content.
This “middleman” layer is capable of speaking a universal language (JSON is my preference) that different end platforms can understand and process in a way that suits the project.
I’m thinking something like this:

Adapting WordPress
In the normal WordPress world, people would access the website through a human-friendly domain name, the content would be pulled from the database, and a theme would then format and display it in an HTML page. That page would also most likely have a visual interface for users to browse through posts and pages, and filter content based on categories, tags, or any other taxonomy.
Our API-first WordPress won’t have any of that. The only input we’ll accept from users will come in the URL of the requests they send, which we’ll have to parse in order to extract the type of data we need to deliver, the format, and the filters to pass it through.
Building a plugin
There are good ways and there are nasty ways of adding and changing functionalities in WordPress. In a nutshell, messing with the core codebase is bad news, you should create a plugin instead.
But how will our plugin work exactly? How can it change the default chain of events followed by the CMS to read a request, get things from the database, and send something back? That can be done with a hook — an action, more specifically — which allows us to throw a monkey wrench in the works and intercept the request, taking full control of what happens from that point on.
So let’s start laying out the foundations for our plugin.
class API {
public function __construct() {
add_action('template_redirect', array($this, 'hijackRequests'), -100);
}
public function hijackRequests() {
$entries = get_posts($_GET['filter']);
$this->writeJsonResponse($entries);
}
protected function writeJsonResponse($message, $status = 200) {
header('content-type: application/json; charset=utf-8', true, $status);
echo(json_encode($message) . "\n");
exit;
}
}
new API();
It’s a good practice to wrap the plugin in a class construct to avoid polluting the global namespace with loose functions, potentially leading to naming conflicts.
We then start by registering a function with the template_redirect
action, which fires after the initialization routine takes place and right before WordPress decides which template to use to render the page.
Then we fire get_posts()
, which accepts an array of filters as its argument and returns an array of matching entries (the function name can be misleading; it can return both posts and pages).
So after saving the file and activating the plugin, going to http://your-WP/index.php?filter[post_type]=post&filter[posts_per_page]=1
should get you a JSON representation of your latest post. Sweet!
Multiplexing requests
As this point we have a very basic API that allows us to pull entries from WordPress based on a set of filters, which may be enough for a very simple project. But what happens when we need to get multiple sets of data to render different elements on a page? It doesn’t seem reasonable to send multiple HTTP requests.
Take the forum page on CSS-Tricks as an example. Beside some meta data that we’d probably need, there are at least three distinct sets of content to pull from the CMS: the items on the navigation bar, the latest posts, and the tips.

We can define our own custom syntax for the API so it accepts the definition of “content buckets” on-the-fly and returns them compartmentalized as a JSON array in the response.
Instead of passing the filters as a simple array in the URL, we can attach a label to each of them to say that they belong to a certain bucket. Going back to the example above, the URL for a multiplexed request could look like this:
?navigation:filter[category]=navigation
&latestPosts:filter[type]=post
&tips:filter[slug]=tips
Which would return a JSON structure like this:
{
"navigation": [
{
"ID": 1
(...)
},
{
"ID": 2
(...)
}
],
"latestPosts": [
(...)
],
"tips": [
(...)
]
}
This gives the API consumers easy access to the different bits of content they require without any additional effort.
The function hijackRequests
can be modified to implement this feature.
public function hijackRequests() {
$usingBuckets = false;
$buckets = array();
$entries = array();
foreach ($_GET as $variable => $value) {
if (($separator = strpos($variable, ':')) !== false) {
$usingBuckets = true;
$bucket = substr($variable, 0, $separator);
$filter = substr($variable, $separator + 1);
} else {
$bucket = 0;
$filter = $variable;
}
$buckets[$bucket][$filter] = $value;
}
if ($usingBuckets) {
foreach ($buckets as $name => $content) {
$entries[$name] = get_posts($content['filter']);
}
} else {
$entries = get_posts($buckets[0]['filter']);
}
$this->writeJsonResponse($entries);
}
Adding galleries and custom fields
Our JSON representation of posts relies on the information returned by get_posts()
, but there are some things missing there that you’ll probably want in your feed, such as image galleries and custom fields. We can append that information ourselves to the JSON feed with the help of the functions get_post_galleries_images()
and get_post_meta()
.
for ($i = 0, $numEntries = count($entries); $i < $numEntries; $i++) {
$metaFields = get_post_meta($entries[$i]->ID);
$galleriesImages = get_post_galleries_images($entries[$i]->ID);
$entries[$i]->galleries = $galleriesImages;
foreach ($metaFields as $field => $value) {
// Discarding private meta fields (that begin with an underscore)
if (strpos($field, '_') === 0) {
continue;
}
if (is_array($value) && (count($value) == 1)) {
$entries[$i]->$field = $value[0];
} else {
$entries[$i]->$field = $value;
}
}
}
Final thoughts
The solution described in this article barely scratches the surface of what building an API entails. We haven’t touched on things like authentication, request types for write access (POST
, PUT
, DELETE
), multiple endpoints for different types of content (users, categories, settings), API versioning, or JSONP support.
Instead of providing a production-ready product, this solution is meant to show the inner workings of a WordPress API, which will hopefully inspire people to create custom solutions, or extend existing ones, to fulfill their specific needs.
In all truth, creating a bespoke API solution is not for everyone. WP REST API is an established and mature product and will be part of WordPress core soon, so using something like that is probably a wiser choice.
Above all, the purpose of this article is to entertain the idea of taking a widely-used, commercially-proven, and mature product like WordPress and using it as an API-first content management system. It means stripping out a major part of WordPress and losing the benefits of things like SEO plugins and easy theming, but you gain the freedom of a platform-agnostic system.
What are your thoughts?
Great article! Would your typical caching plugins (WP Super Cache, W3 Total Cache) also cache requests through this API? I’m thinking it might since you’re using
get_posts()
.Super interesting! I’ve been kicking a similar idea around in my head for a while now too, ever since the WP REST API gained momentum. While your proposed solution is indeed clever, I feel like maintaining both a WordPress plugin, a WordPress installation (hosted probably elsewhere from the front-end) AND a front-end could be a little overwhelming. I’ve kind of settled on the thought that the REST API will actually work great for building “web applications”, with just a custom theme for the front-end. The cool thing then though is that you can use that same API that your web application is using and retrieve/post data from, say, your iPhone app.
Anyway, cool stuff man!
Nice idea !
I’ve been using wordpress as a CMS for a couple of years, firstly with a Coldfusion ‘front end’ and more recently with a PHP ‘front end’.
While not an API as you’re proposing (which is a great idea) it still uses wordpress as a data entry tool and renders the pages out into non-wordpress front ends.
Wordpress provides a number of native PHP functions for this already, however, as you note, you’re then tied to a PHP ‘front end’
I’m excited by the REST API, but I can’t help but wonder what the difference would be between the WP REST API and something like Laravel, or it’s new, slimmed down version Lumen? Don’t get me wrong, I think API’s are for the benefit of developers and readers alike, but how will WordPress make development unique from competitors. In my reading on the subject it always sounds like the goal of this project is to shy away from the content management aspect of WP and leave it to other frameworks to figure out, to be more like a hot-swap of components a la composer, or even node.js. But what I find great about WordPress is how it handles theme and content development, with a robust and user-friendly admin UI.
Does anyone know if/how the wordpress back-end / admin UI will change alongside WP API?
I used WordPress to write the documentation for my product. The documentation is served in different end-points, so I didn’t want to use WP’s front-end. I used the API here.
With WordPress back-end, I was able to create and manage the content. I can’t use Laravel to create, or manage content.
I’ve been using WordPress for this recently. The WordPress front-end then becomes the interface for management of the content. I mis-used the Toolset tools (http://wp-types.com/) for creating various relevant custom content types, and for creating forms for managing the data. The API interfaces then have to understand the custom content database structure.
When you say “article barely scratches the surface of what building an API entails…”, I couldn’t agree more. What if you would like to have multiple API keys for different output channels? Or deliver to difficult mobile network environments? Or rescale media assets depending on output format? Or bundle requests to minimize mobile network latency? Or sync the delta of changes from a certain point in time? Or programatically create content via an API as well? Or scale to millions of requests per hour without breaking the WordPress database bottleneck?
Before reinventing the wheel, you may want to check out some of the systems that has been designed from the ground up for API delivery, like e.g. Contentful.
I think that both me (throughout the article) and Chris (on the introduction text) did a good job at making clear that this is just food for thought and not a complete implementation.
I’m not trying to reinvent the wheel, but I think that if you give people a rough idea of how an API could work in a scenario like this, they can be better informed when it comes to choosing an existing solution, and hopefully power them with some knowledge to extend the solution with their own features.
I personally find that more useful than an article saying “Hey, want an API-first solution? Buy this”.
@Chris, how many shares do you have in Contentful?
The writer states that this article is just a few thoughts he had about best practices/idea, and by the fact it’s been published on this site, it clearly has a place and is a worthwhile read.
The whole point about writing your own API is to learn and understand, so pooping on other peoples ideas in order to promote a paid for alternative is really just bad form on your part. Learn to love the community Chris, learn to love.
Sorry if I have struck a wrong cord, my outburst was in no way meant to belittle this article. Just given some of my recent experience with my agency with a client being adamant about using WordPress as a mobile back end, the introductory passage just rubbed me the wrong way:
When you have really smart guys spending months teaching Drupal how to speak API and have a hard time doing so, when you have great forward thinking publishing houses sharing their API thinking giving you the blueprint, the last thing you want is to have another of those clients from hell insisting on WP…
I agree that WordPress is not the more obvious platform to build an API-first solution, and the benefits of using an alternative that is built with that mindset from scratch are clear. However, that sometimes might not be enough to counterbalance the benefits of a widely used platform like WordPress.
What if the client relies on dozens of external editors to insert and manage the content? Will you provide them with training on how to use your Drupal-based API-first solution? Because the chances are most of them know how to use WordPress and some of them never heard of Drupal. And that’s just one example on where a WordPress solution might be a good option.
Your point was that the implementation presented in this article is reductive. Agree with you there. But I think it’s even more reductive to say that WordPress is forcefully a bad choice.
The whole point of this article was to entertain the idea of taking WordPress (and the benefits it brings) and make such a non obvious combination with an API-first approach. Whether it works or whether it’s the right choice of technologies depends on a huge number of variables and circumstances.
Don’t forget, WordPress already contains a handful of JSON-related functions that cover sanitizing, validation, output, etc.
The example’s writeJsonResponse() is largely a rewrite of wp_send_json().
True! My idea behind writing a separate function was so you could send responses with different response codes. I guess I could use
wp_send_json_success()
andwp_send_json_error()
, but this felt a bit more flexible.But that’s a good shout. Thanks!
I have also played around with a few basic concepts like this.
Add to the reasons why this concept is interesting the fact that you could also develop a front-end that is CMS agnostic.
By having a well structured API response from whichever CMS you’ve chosen, your app/browser simply calls the API and receives the JSON it needs.
This is a little bit like creating a CMSMS as that is what the CMS is supposed to do; Interface with your data and allow you to display it in your chosen format.
However, with WordPress (and other CMS) builds being used for such a broad range of use cases, I’m sure there are people that could find a use for this extra layer.
Try the Symfony WordPress Bundle out! We are using it at HYPEBEAST.com
http://github.com/kayue/KayueWordpressBundle/
Cool article.
I think that the general trend is clearly towards client-side UIs rather than old-fashioned server-side ones. Now’s the time for the paradigm shift since almost all stars are aligned (mobile devices & JavaScript performance, HTML5/CSS3 & WHATWG specs support, ES6 features, front-end tooling, etc) :)
I’m recently started working on a project with these ideas in mind: https://github.com/dsebastien/midnightLightV2
I’ve blogged a bit about it over here: http://www.dsebastien.net/2015/04/22/web-3-0-is-closer-than-you-might-think/
This should be called headless Drupal, especially if you would use angular.js as front-end. There is a similar development with Drupal. What many don’t know was that you could use open office in a similar way as a data repository say 12-15 years ago. If you would call this headless WordPress then the geeks will see the parallels more clearly.
The first headless Drupal should be headless WordPress… Excuses
Good link to contentful Chris, and to the guest-writer Eduardo Bouças, thanks for taking the time, it is interesting to see how people approach problems. To anyone that posted, “this should be better”… Of course it could be, it is not an API in an article, or even an article series, just like university and as Americans call it College will not hand you either…
What would that even look like? DBAD, and be sensible. This was not meant to do anyone’s job for them…
I would be curious to know if this model has been used on a big website ? I am thinking about doing that for my site and I am still seeking informations.
Apparently Bocoup did it for a large client (they don’t disclose who) using Node.js to render the front-end. WordPress was only used as a CMS and API. See their presentation here: http://bocoup.com/community/presentations/wordpress-in-weird-places/
Thank you for this link. Very interesting.
But, do we really need to use multisite for this ? I mean, the way multisite works in WP seems to be too much whenyou don’t use standard WP front. It seems to me that it would be easier to just create one categorie for each site (and maybe subcategories), using WP REST API to communicate with the front, without activating multisite. Am I missing something here ?
No, I don’t think you are missing anything. The author of this article just happened to use multisite because it probably fit his needs best, but I believe you are correct in that for some projects you wouldn’t need it. I don’t see why you couldn’t just grab posts from different sites according to their categories. It just depends on whether that’s a sufficient solution for your project.
I’ve been using wordpress as an API for a while now, created my own API plug in for it. It works pretty well and cuts down a lot of the the server load. I had a few auth issues but you can add some of that stuff into the core system with a bit of messing about and it works great.
A “Modular” WordPress would be fantastic. Imagine you could have the logic, backend, and frontend parts (and you could probably break it down into many more parts) of WordPress as separate modules. I personally love the WordPress backend. It would be great if I could simply patch that backend into my project with none of the rest of WordPress. Or maybe you already have a backend and simply like how WordPress handles the logic. You could plug the logic module into your project and make it work with your backend while not having to install all of WordPress.
Yeah that would be very helpful if one could just pick the backoffice – without the code dedicated to the front/theme/plugins stuff. But this is not a common use of wordpress (for now).
I thought I had a genius idea when I thought to do that but, of course, some guys beat me to it, like Eduardo here. I would love to chat with him about that to learn some more.
Interesting Article…I have been using WordPress as a Content Management System for my work for a year. It seems easier to use API than the front end