How do I programmatically generate a 404?

How can I get something like this to work?

// in a plugin / theme:
// This imaginary function will make WordPress think that the 
// current request is a 404. 
// Ideally this function could be ran anywhere, but realistically it
// will probably have to be before the template_redirect hook runs.
generate_404_somehow();

// later...
add_action('template_redirect', function() {
    // should be "true"
    var_dump(is_404());
});

Basically under certain conditions, I want to tell WordPress to show its 404 template (which I can hook into later if I want) instead of the template it’s about to load (eg a page or archive).

I know I could just do a 302 redirect to a non-existent page but that’s very messy. I could also send a 404 HTTP header manually, but then I can’t use WP’s nice 404 page (I already have things that hook into is_404() that need to get fired at the right time).

3 s
3

function generate_404_somehow() {
   global $wp_query;
   $wp_query->is_404 = true;
}
add_action('wp','generate_404_somehow');

Of course, that will send all of you page to the 404 template. I don’t know what the conditions are that this should fire or not fire.

Or to be more cautious (see comments) …

function generate_404_somehow() {
   global $wp_query;
   $wp_query->set_404();
}
add_action('wp','generate_404_somehow');

Leave a Comment