The get_post_class()
function is a WordPress function commonly used within post “rivers”. For example, if I had a list of posts, WooCommerce products, or any content type really, I might have some code like this:
<div >
The get_post_class()
function is a WordPress function commonly used within post “rivers”. For example, if I had a list of posts, WooCommerce products, or any content type really, I might have some code like this:
<div >
Note: post_class()
just calls get_post_class()
and outputs it to the browser.
post_class()
will output something like class="post has-post-thumbnail type-POST-TYPE status-POST_STATUS tag-TAG1 tag-TAG2 category-CATEGORY1 category-CATEGORY2 ...."
The classes added make it easy to style content that has a specific taxonomy term, has a thumbnail, a particular status, etc.
However, the queries needed to determine all this information are not cheap. Moreover, this function is probably called for every post you’re listing. So if you have posts_per_page
set to 20, this function will be called 20 times.
Let’s take a look at the function’s code (I’ve trimmed some of the comments):
function get_post_class( $class = '', $post_id = null ) { $post = get_post( $post_id ); $classes = array(); if ( $class ) { if ( ! is_array( $class ) ) { $class = preg_split( '#s+#', $class ); } $classes = array_map( 'esc_attr', $class ); } else { // Ensure that we always coerce class to being an array. $class = array(); } if ( ! $post ) { return $classes; } $classes[] = 'post-' . $post->ID; if ( ! is_admin() ) $classes[] = $post->post_type; $classes[] = 'type-' . $post->post_type; $classes[] = 'status-' . $post->post_status; // Post Format if ( post_type_supports( $post->post_type, 'post-formats' ) ) { $post_format = get_post_format( $post->ID ); if ( $post_format && !is_wp_error($post_format) ) $classes[] = 'format-' . sanitize_html_class( $post_format ); else $classes[] = 'format-standard'; } $post_password_required = post_password_required( $post->ID ); // Post requires password. if ( $post_password_required ) { $classes[] = 'post-password-required'; } elseif ( ! empty( $post->post_password ) ) { $classes[] = 'post-password-protected'; } // Post thumbnails. if ( current_theme_supports( 'post-thumbnails' ) && has_post_thumbnail( $post->ID ) && ! is_attachment( $post ) && ! $post_password_required ) { $classes[] = 'has-post-thumbnail'; } // sticky for Sticky Posts if ( is_sticky( $post->ID ) ) { if ( is_home() && ! is_paged() ) { $classes[] = 'sticky'; } elseif ( is_admin() ) { $classes[] = 'status-sticky'; } } // hentry for hAtom compliance $classes[] = 'hentry'; // All public taxonomies $taxonomies = get_taxonomies( array( 'public' => true ) ); foreach ( (array) $taxonomies as $taxonomy ) { if ( is_object_in_taxonomy( $post->post_type, $taxonomy ) ) { foreach ( (array) get_the_terms( $post->ID, $taxonomy ) as $term ) { if ( empty( $term->slug ) ) { continue; } $term_class = sanitize_html_class( $term->slug, $term->term_id ); if ( is_numeric( $term_class ) || ! trim( $term_class, '-' ) ) { $term_class = $term->term_id; } // 'post_tag' uses the 'tag' prefix for backward compatibility. if ( 'post_tag' == $taxonomy ) { $classes[] = 'tag-' . $term_class; } else { $classes[] = sanitize_html_class( $taxonomy . '-' . $term_class, $taxonomy . '-' . $term->term_id ); } } } } $classes = array_map( 'esc_attr', $classes ); $classes = apply_filters( 'post_class', $classes, $class, $post->ID ); return array_unique( $classes ); }
Within this code, the following functions might result in database queries: get_post_format
, has_post_thumbnail
, is_sticky
, and get_the_terms
. The most expensive of these queries is get_the_terms
which for each taxonomy associated with the post type, selects all the terms attached to the post for that taxonomy. If there are four taxonomies associated with the post type being queried, get_post_class
could result in 7 extra database queries per post. With 20 posts per page, that’s an extra 140 queries per page load! On WooCommerce sites where there are many taxonomies and usually many products per page being shown, this is a huge performance killer. Yes, object caching (and page caching of course) will improve our eliminate some of the database queries, but people will still be hitting the cache cold sometimes.
Solution:
Don’t use get_post_class
or post_class
. It’s not that important. 99% of people don’t use the tags it generates. What I do is output the function, inspect the classes it adds using Chrome, and hardcode the classes actually referenced in CSS into the theme.
PS: body_class()
is much less query intensive and okay to use.
Backbone is framed around the assumption that your models and collections are backed by RESTful API’s. If this isn’t the case, life becomes difficult. WordPress provides an AJAX API for backend AJAX requests. These requests are sent through admin-ajax.php
which is not RESTful.
I’ve written some code to force Backbone models and collections to play nicely with admin-ajax.php
. First I’ll show code, then provide explanation:
/** * A mixin for collections/models */ var adminAjaxSyncableMixin = { url: ajaxurl, sync: function( method, object, options ) { if ( typeof options.data === 'undefined' ) { options.data = {}; } options.data.nonce = localizedSettings.nonce; options.data.action_type = method; options.data.action = 'myaction'; var json = this.toJSON(); var formattedJSON = {}; if ( json instanceof Array ) { formattedJSON.models = json; } else { formattedJSON.model = json; } _.extend( options.data, formattedJSON ); options.emulateJSON = true; return Backbone.sync.call( this, 'create', object, options ); } }; /** * A model for all your syncable models to extend */ var BaseModel = Backbone.Model.extend( _.defaults( { parse: function( response ) { // Implement me depending on your response from admin-ajax.php! return response } }, adminAjaxSyncableMixin )); /** * A collection for all your syncable collections to extend */ var BaseCollection = Backbone.Collection.extend( _.defaults( { parse: function( response ) { // Implement me depending on your response from admin-ajax.php! return response } }, adminAjaxSyncableMixin ));
The bulk of the action happens in our mixin:
var adminAjaxSyncableMixin = { url: ajaxurl, sync: function( method, object, options ) {} };
We will extend the defining objects passed to our base model and collection. Therefore BaseCollection
and BaseModel
will have this objects properties (unless they are overwritten — more on that later).
The url
property defines the location to which syncing will occur. In this case we are using ajaxurl
which is a variable localized from WordPress by default containing a full URL to admin-ajax.php
.
The sync
property defines a function that will be called in front of Backbone.sync
. Backbone.sync
is called whenever we call Backbone.Model.save
, Backbone.Model.destroy, Backbone.Model.fetch
, Backbone.Collection.save
, and Backbone.Collection.fetch
. By providing a sync
property to our base model and collection, we are forcing our sync function to be called instead of Backbone.sync
.
adminAjaxSyncableMixin.sync
has a few parameters:
sync: function( method, object, options ) { }
By default, method
is set by the function called. For example, calling Backbone.Model.save
or Backbone.Collection.save
will call Backbone.sync
where method is create
or patch
(possibly update
). method
ultimately defines the type of HTTP method used (GET, POST, DELETE, PATCH, PUT, or OPTIONS). object
is the model or collection object being synced. options
lets us send associative arguments to our sync destination among other things.
Let’s look at the body of this function.
if ( typeof options.data === 'undefined' ) { options.data = {}; }
Setting the data
property in options
lets us manually overwrite the representational data sent to the server. We are going to use this so we make sure it’s defined, if it isn’t.
options.data.nonce = localizedSettings.nonce; options.data.action_type = method; options.data.action = 'myaction';
Now we are just setting up information to pass to admin-ajax.php
. By default we pass a nonce that has been localized to our script. options.data.action
should contain the action slug registered within WordPress using the wp_ajax_
hook. We will force our request to be an HTTP POST
so we send our method along inside action_type
for later use.
var json = this.toJSON(); var formattedJSON = {}; if ( json instanceof Array ) { formattedJSON.models = json; } else { formattedJSON.model = json; } _.extend( options.data, formattedJSON );
This code sets up our model or collection data to be passed to the server. If the toJSON()
representation of the current object is an Array
, we know we have a collection. We extend the options.data
object with the formattedJSON
object we create.
options.emulateJSON = true;
This sends our data as application/x-www-form-urlencoded
(classic form style) instead of application/json
preventing us from having to decode JSON in our endpoint.
return Backbone.sync.call( this, 'create', object, options );
Finally, we call Backbone.sync
in the current object context. We pass create
as the method (forcing a POST
request). object
is simply passed along. We pass options
having extended it with our own data. Essentially, our sync function is an intermediary between Backbone save/fetch and Backbone.sync
.
var BaseModel = Backbone.Model.extend( _.defaults( { idAttribute: 'ID', parse: function( response ) { // Implement me depending on your response from admin-ajax.php! return response } }, adminAjaxSyncableMixin )); var BaseCollection = Backbone.Collection.extend( _.defaults( { parse: function( response ) { // Implement me depending on your response from admin-ajax.php! return response } }, adminAjaxSyncableMixin ));
We define BaseModel
by extending Backbone.Model
and mixing in adminAjaxSyncableMixin
. _.defaults
returns an object filling in undefined properties of the first parameter object with corresponding property in the second parameter object. We define BaseCollection
the same way extending Backbone.Collection
and mixing in adminAjaxSyncableMixin
.
Backbone.Model.parse
and Backbone.Collection.parse
intercept sync responses before they are processed into models and model data. Depending on how you write your admin-ajax.php
endpoints, you may need to write some parsing code.
Finally, we can define, instantiate, and utilize new models and collections based on BaseModel
and BaseCollection
:
var myModel = BaseModel.extend({}); var myCollection = BaseCollection.extend({}); var modelInstance = new myModel( { ID: 1 } ); modelInstance.fetch(); modelInstance.set( 'key', 'value' ); modelInstance.save(); var collectionInstance = new myCollection(); collectionInstance.fetch(); collectionInstance.at( 0 ).set( 'key', 'value' ); collectionInstance.save();
Background:
Unit testing is the automated testing of units of source code against assumptions. The goal of unit testing is to write test cases with assumptions that test if a unit of code is truly working as intended. If an assumption fails, a potential issue is exposed, and code needs to be revised.
By definition unit tests do not have dependencies on outside systems; in other words only your code (a single unit of code) is being tested. Integration testing works similarly to unit tests but assumptions are tested against systems of code, moving parts, or an entire application. The phrases unit testing and integration testing are often misused to reference one another especially in the context of WordPress. This article will try to stay consistent with WordPress terminology whether correct or not. Personally, in writing tests for my WordPress plugins/themes I write integration tests which I feel are more useful for a number of reasons that are outside of the realm of this article.
PHPUnit is the defacto library used to run unit and integration tests in PHP and thus server-side WordPress. This article assumes you are familiar with basic concepts of unit testing with PHPUnit.
What is WP_UnitTestCase?
WP_UnitTestCase is a PHP class included in the WordPress core development repository. Using SVN, you can check out that repo like so:
svn co http://develop.svn.wordpress.org/trunk/ wordpress-develop
The WordPress core development repository contains the core WordPress unit tests. Cool, huh? You can setup these tests, run them, and even write your own! Let’s poke around a few WordPress core test files. Open up wordpress-develop/tests/phpunit/tests/actions.php.
Normally, PHPUnit tests are structured like so:
class MyTestSuite extends PHPUnit_Framework_TestCase { public function setUp() { // This code will run before each test! } public function tearDown() { // This code will run after each test } public function testBasic() { $this->assertTrue( true ); } }
However, when writing integration tests for WordPress based applications, there exists a cool API we can leverage: WP_UnitTestCase. Remember how I asked you to open the actions.php file? You will see the test class in there extends WP_UnitTestCase. WP_UnitTestCase provides shortcuts for doing a number of tasks when creating your test cases. The first thing you will need to do to use this API is to require the file in your PHPUnit bootstrap file:
require_once( $tests_dir . '/includes/bootstrap.php' );
Of course you will need to setup $tests_dir appropriately. Within the WordPress core development repository, this bootstrap file lives at /tests/phpunit/includes/bootstrap.php. Including this bootstrap file will “bootstrap setup” WordPress, setup some things for unit testing, and include a number of useful things one of which is WP_UnitTestCase. There are other ways you could include WP_UnitTestCase, but this is by far the easiest.
Let’s setup our test class to use WP_UnitTestCase:
class MyTestSuite extends WP_UnitTestCase { public function setUp() { parent::setUp(); // This code will run before each test! } public function tearDown() { parent::tearDown(); // This code will run after each test } public function testBasic() { $this->assertTrue( true ); } }
Notice our class is extending WP_UnitTestCase instead of PHPUnit_Framework_TestCase. You can probably guess that WP_UnitTestCase extends PHPUnit_Framework_TestCase so we can use everything in PHPUnit_Framework_TestCase by extending WP_UnitTestCase plus a bunch more. Also notice within setUp() and tearDown() we are calling the same methods in the parent class; this is extremely important to ensure WP_UnitTestCase is working correctly. WP_UnitTestCase::setUp() and WP_UnitTestCase::tearDown() do a bunch of magic such as cache clean up and global resets.
WP_UnitTestCase has an instance variable named $factory. Before each of your tests is run $factory is set to a newly instantiated object of type WP_UnitTest_Factory. The meat of WP_UnitTestCase is in this $factory variable. Let’s look some cools way that we can use WP_UnitTestCase.
Creating Blogs within a Network
public function testBasic() { $blog_id = $this->factory->blog->create(); $blog_id_array = $this->factory->blog->create_many( 4 ); }
This is extremely useful for writing test cases that make cross-site assumptions. As you can tell $this->factory->blog->create() creates a blog and returns the new blog ID. $this->factory->blog->create_many( 4 ), creates 4 new blogs and returns an array of the ID’s in order.
If multisite is not setup, this factory will not exist! You can ensure WordPress is bootstrapped as multisite by setting the following constant up in your phpunit.xml file:
<const name="WP_TESTS_MULTISITE" value="1" />
Creating Test Posts
public function testBasic() { $post_id = $this->factory->post->create(); $post_id_array = $this->factory->post->create_many( 4 ); }
Many times when I am writing tests I need to bulk create posts. WP_UnitTestCase let’s you accomplish this very easily. You can pass an array of post args (same as wp_insert_post) like so: create( $args ) and create_many( $num, $args ). If no arguments are passed, generic post_title/post_content info is generated. Post args passed to create_many will be applied to every post created.
Creating Test Comments
public function testBasic() { $comment_id = $this->factory->comment->create(); $comment_id_array = $this->factory->comment->create_many( 4 ); }
Again, we can leverage WP_UnitTestCase to bulk create comments. You can see the ways to use the class is very consistent :). Comment args (like wp_insert_comment) can be passed to create() and create_many() in the exact same way as the post factory.
Creating Test Users
public function testBasic() { $user_id = $this->factory->user->create( array( 'user_login' => 'test', 'role' => 'administrator' ) ); $user_id_array = $this->factory->user->create_many( 4 ); }
WP_UnitTestCase allows us to bulk create users as well. User args (same as wp_insert_user) can be passed to create() and create_many() in the same fashion as the post factory.
Creating Test Terms
public function testBasic() { $term_id = $this->factory->term->create( array( 'name' => 'Term Name', 'taxonomy' => 'category', 'slug' => 'term-slug' ) ); $term_id_array = $this->factory->term->create_many( 4, array( 'taxonomy' => 'category' ); }
Creating bulk terms is slightly different from other factories. Create() and create_many() do take arguments the same was as wp_insert_term(). However, we provide ‘taxonomy’ and ‘name’ as a part of the array rather than as separate parameters.
Conclusion
WP_UnitTestCase contains additional factories for categories, tags, networks, and attachments. They work in a similar fashion as the factories above, so I will let you explore these API’s yourself :). WordPress contains a bunch of other useful API’s for building your test suites such as a system for mocking actions and a test case class for AJAX hooks. I plan on outlining those tools and a few others in future blog posts.
In a past blog post I explained why featuring posts using a taxonomy term is much more performant than using a meta query. The comment I get from people is “that’s awesome, but using tags to feature a post is not a good user experience”. I agree, attaching a “featured” tag to featured posts, while performant is not a good experience for users because it leaves room for error on the admin side and shows the “featured” tag to users on the front end (if you are listing your tags).
Thankfully, there is a much better way to do this. We can create a small meta box with a “Featured Post” checkbox. This checkbox will add/remove a term in a hidden taxonomy from the post. Here is what the meta box will look like in WordPress 3.9:
I will take you through the code necessary to set this up. First we need to register a private taxonomy for internal use:
function tl_register_taxonomy() { $args = array( 'hierarchical' => false, 'show_ui' => false, 'show_admin_column' => false, 'query_var' => false, 'rewrite' => false, ); register_taxonomy( 'tl_post_options', array( 'post' ), $args ); } add_action( 'init', 'tl_register_taxonomy' );
Now let’s write the code that actually associates the taxonomy term with featured posts. This will hook onto the “save_post” action.
function tl_save_post( $post_id ) { if ( ( defined( 'DOING_AUTOSAVE' ) && DOING_AUTOSAVE ) || ! current_user_can( 'edit_post', $post_id ) || 'revision' == get_post_type( $post_id ) ) return; if ( ! empty( $_POST['additional_options'] ) && wp_verify_nonce( $_POST['additional_options'], 'additional_options_action' ) ) { if ( ! empty( $_POST['tl_featured'] ) ) { $featured = term_exists( 'tl_featured', 'tl_post_options' ); if ( empty( $featured ) ) { $featured = wp_insert_term( 'tl_featured', 'tl_post_options' ); } wp_set_post_terms( $post_id, array( (int) $featured['term_id'] ), 'tl_post_options' ); } else { wp_set_post_terms( $post_id, array(), 'tl_post_options' ); } } } add_action( 'save_post', 'tl_save_post' );
Next, we need to output a meta box with a checkbox. If this checkbox is checked, the post is marked as featured and the appropriate information is sent to the “save_post” hook on POST.
function tl_meta_box_additional_options( $post ) { wp_nonce_field( 'additional_options_action', 'additional_options' ); $featured = has_term( 'tl_featured', 'tl_post_options', $post ); echo 'Featured: <input type="checkbox" name="tl_featured" value="1" ' . ( ( $featured ) ? 'checked="checked"' : '' ) . '>'; }
Don’t forget we need to actually register our new meta box:
function tl_add_meta_boxes() { add_meta_box( 'tl_additional_options', 'Additional Options', 'tl_meta_box_additional_options', 'post', 'side' ); } add_action( 'add_meta_boxes', 'tl_add_meta_boxes' );
Querying for posts on the front end is super easy! Here is an example query:
$query = new WP_Query( array( 'tl_post_options' => 'tl_featured' 'post_status' => 'publish', 'post_type' => 'post', ) );