WordPress hooks/filters insert before content or after title

Just use the the_content filter, e.g.:

<?php
function theme_slug_filter_the_content( $content ) {
    $custom_content="YOUR CONTENT GOES HERE";
    $custom_content .= $content;
    return $custom_content;
}
add_filter( 'the_content', 'theme_slug_filter_the_content' );
?>

Basically, you append the post content after your custom content, then return the result.

Edit

As Franky @bueltge points out in his comment, the process is the same for the post title; simply add a filter to the the_title hook:

<?php
function theme_slug_filter_the_title( $title ) {
    $custom_title="YOUR CONTENT GOES HERE";
    $title .= $custom_title;
    return $title;
}
add_filter( 'the_title', 'theme_slug_filter_the_title' );
?>

Note that, in this case, you append your custom content after the Title. (It doesn’t matter which; I just went with what you specified in your question.)

Edit 2

The reason your example code isn’t working is because you only return $content when your conditional is met. You need to return $content, unmodified, as an else to your conditional. e.g.:

function property_slideshow( $content ) {
    if ( is_single() && 'property' == get_post_type() ) {
        $custom_content="[portfolio_slideshow]";
        $custom_content .= $content;
        return $custom_content;
    } else {
        return $content;
    }
}
add_filter( 'the_content', 'property_slideshow' );

This way, for posts not of the ‘property’ post-type, $content is returned, un-modified.

Leave a Comment