I have not included the CSS part so you’ll still need to design it the way you want.
Let’s create a function and add it to functions.php file in your theme.
Step 1: Arguments
Let’s create an array variable named as $args and add the arguments to it.
The post_type can be post, page or any other custom post type.
The orderby argument is important since that is the order we want for random posts.
You can have orderby as title, name, ID, slug, etc. and use the same function for many purposes.
With posts_per_page argument you can decide how many posts you want to fetch.
$args = array(
'post_type' => 'post',
'orderby' => 'rand',
'posts_per_page' => 10,
);
...
Step 2: WP_Query
Let’s create an instance of WP_Query and pass the $args array.
...
$query = new WP_Query( $args );
...
Step 3: Fetch the posts
Let’s check if there are any posts in the $query variable and if so, save those posts with an HTML code in a PHP string.
Also, we will have an else condition too in case of no posts to fetch. In that case, we can just show some message that indicates that there are no posts to display.
...
if ( $query->have_posts() ) {
$rand_posts .= '';
while ( $query->have_posts() ) {
$query->the_post();
$rand_posts .= ''. get_the_title() .'';
}
$rand_posts .= ' ';
wp_reset_postdata();
} else {
$rand_posts .= 'Nothing to show
';
}
...
Note that there is wp_reset_postdata() in the if condition.
Since we’re using a specific query, we are affecting the $post global but in the loop there is not much we can do.
So, after the loop we need to use wp_reset_postdata() to restore the $post global to the current post in the main query.
Step 4: Function and a shortcode
Let’s write the complete function by using the code chunks above.
function yc_random_posts() {
$args = array(
'post_type' => 'post',
'orderby' => 'rand',
'posts_per_page' => 10,
);
$query = new WP_Query( $args );
if ( $query->have_posts() ) {
$rand_posts .= '';
while ( $query->have_posts() ) {
$query->the_post();
$rand_posts .= ''. get_the_title() .'';
}
$rand_posts .= ' ';
wp_reset_postdata();
} else {
$rand_posts .= 'Nothing to show
';
}
return $rand_posts;
}
add_shortcode('yc-random-posts','yc_random_posts');
add_filter('widget_text', 'do_shortcode');
You can just call the function above using the shortcode [yc-random-posts], and it will display 10 random posts.
Using do_shortcode we can execute the shortcode inside a widget.
examples functions posts random widgets