Usando pre_get_posts em páginas verdadeiras e primeiras páginas estáticas


19

Eu fiz uma pesquisa bastante extensa sobre como usar pre_get_postsem páginas verdadeiras e nas primeiras páginas estáticas, e parece que não existe um método à prova de idiotas.

A melhor opção que encontrei até hoje foi de um post feito por @birgire no Stackoverflow . Eu o reescrevi em uma classe demo e tornei o código um pouco mais dinâmico

class PreGeTPostsForPages
{
    /**
     * @var string|int $pageID
     * @access protected     
     * @since 1.0.0
     */
    protected $pageID;

    /**
     * @var bool $injectPageIntoLoop
     * @access protected     
     * @since 1.0.0
    */
    protected $injectPageIntoLoop;

    /**
     * @var array $args
     * @access protected     
     * @since 1.0.0
     */
    protected $args;

    /**
     * @var int $validatedPageID
     * @access protected     
     * @since 1.0.0
     */
    protected $validatedPageID = 0;

    /**
     * Constructor
     *
     * @param string|int $pageID = NULL
     * @param bool $injectPageIntoLoop = false
     * @param array| $args = []
     * @since 1.0.0
     */     
    public function __construct( 
        $pageID             = NULL, 
        $injectPageIntoLoop = true, 
        $args               = [] 
    ) { 
        $this->pageID             = $pageID;
        $this->injectPageIntoLoop = $injectPageIntoLoop;
        $this->args               = $args;
    }

    /**
     * Private method validatePageID()
     *
     * Validates the page ID passed
     *
     * @since 1.0.0
     */
    private function validatePageID()
    {
        $validatedPageID       = filter_var( $this->pageID, FILTER_VALIDATE_INT );
        $this->validatedPageID = $validatedPageID;
    }

    /**
     * Public method init()
     *
     * This method is used to initialize our pre_get_posts action
     *
     * @since 1.0.0
     */
    public function init()
    {
        // Load the correct actions according to the value of $this->keepPageIntegrity
        add_action( 'pre_get_posts', [$this, 'preGetPosts'] );
    }

    /**
     * Protected method pageObject()
     *
     * Gets the queried object to use that as page object
     *
     * @since 1.0.0
     */
    protected function pageObject()
    {
        global $wp_the_query;
        return $wp_the_query->get_queried_object();
    }

    /**
     * Public method preGetPosts()
     *
     * This is our call back method for the pre_get_posts action.
     * 
     * The pre_get_posts action will only be used if the page integrity is
     * not an issue, which means that the page will be altered to work like a
     * normal archive page. Here you have the option to inject the page object as
     * first post through the_posts filter when $this->injectPageIntoLoop === true
     *
     * @since 1.0.0
     */
    public function preGetPosts( \WP_Query $q )
    {
        // Make sure that we are on the main query and the desired page
        if (    is_admin() // Only run this on the front end
             || !$q->is_main_query() // Only target the main query
             || !is_page( $this->validatedPageID ) // Run this only on the page specified
        )
            return;

        // Remove the filter to avoid infinte loops
        remove_filter( current_filter(), [$this, __METHOD__] );

        // METHODS:
        $this->validatePageID();
        $this->pageObject();

        $queryArgs             = $this->args;

        // Set default arguments which cannot be changed 
        $queryArgs['pagename'] = NULL;

        // We have reached this point, lets do what we need to do
        foreach ( $queryArgs as $key=>$value ) 
            $q->set( 
                filter_var( $key, FILTER_SANITIZE_STRING ),
                $value // Let WP_Query handle the sanitation of the values accordingly
            );

        // Set $q->is_singular to 0 to get pagination to work
        $q->is_singular = false;

        // FILTERS:
        add_filter( 'the_posts',        [$this, 'addPageAsPost'],   PHP_INT_MAX );
        add_filter( 'template_include', [$this, 'templateInclude'], PHP_INT_MAX );  
    }

    /**
     * Public callback method hooked to 'the_posts' filter
     * This will inject the queried object into the array of posts
     * if $this->injectPageIntoLoop === true
     *
     * @since 1.0.0
     */
    public function addPageAsPost( $posts )
    {
        // Inject the page object as a post if $this->injectPageIntoLoop == true
        if ( true === $this->injectPageIntoLoop )
            return array_merge( [$this->pageObject()], $posts );

        return $posts;
    }

    /**
     * Public call back method templateInclude() for the template_include filter
     *
     * @since 1.0.0
     */
    public function templateInclude( $template )
    {
        // Remove the filter to avoid infinte loops
        remove_filter( current_filter(), [$this, __METHOD__] );

        // Get the page template saved in db
        $pageTemplate = get_post_meta( 
            $this->validatedPageID, 
            '_wp_page_template', 
            true 
        );

        // Make sure the template exists before we load it, but only if $template is not 'default'
        if ( 'default' !== $pageTemplate ) {
            $locateTemplate = locate_template( $pageTemplate );
            if ( $locateTemplate )
                return $template = $locateTemplate;
        }

        /**
         * If $template returned 'default', or the template is not located for some reason,
         * we need to get and load the template according to template hierarchy
         *
         * @uses get_page_template()
         */
        return $template = get_page_template();
    }
}

$init = new PreGeTPostsForPages(
    251, // Page ID
    false,
    [
        'posts_per_page' => 3,
        'post_type'      => 'post'
    ]
);
$init->init();

Isso funciona bem e pagina conforme o esperado, usando minha própria função de paginação .

PROBLEMAS:

Por causa da função, perco a integridade da página, em que outras funções dependem do objeto de página armazenado $post. $postantes que o loop seja definido como a primeira postagem no loop e $postdefinido como a última postagem no loop após o loop, o que é esperado. O que eu preciso é que $postseja definido como o objeto de página atual, ou seja, o objeto consultado.

Além disso, $wp_the_query->poste $wp_query->postocupa o primeiro posto no circuito e não o objeto consultado como em uma página normal

Eu uso o seguinte ( fora da minha classe ) para verificar minhas globais antes e depois do loop

add_action( 'wp_head',   'printGlobals' );
add_action( 'wp_footer', 'printGlobals' );
function printGlobals()
{
    $global_test  = 'QUERIED OBJECT: ' . $GLOBALS['wp_the_query']->queried_object_id . '</br>';
    $global_test .= 'WP_THE_QUERY: ' . $GLOBALS['wp_the_query']->post->ID . '</br>';
    $global_test .= 'WP_QUERY: ' . $GLOBALS['wp_query']->post->ID . '</br>';
    $global_test .= 'POST: ' . $GLOBALS['post']->ID . '</br>';
    $global_test .= 'FOUND_POSTS: ' . $GLOBALS['wp_query']->found_posts . '</br>';
    $global_test .= 'MAX_NUM_PAGES: ' . $GLOBALS['wp_query']->max_num_pages . '</br>';

    ?><pre><?php var_dump( $global_test ); ?></pre><?php
}

ANTES DO LAÇO:

Antes do loop, o problema é parcialmente resolvido configurando- $injectPageIntoLoopse true, que injeta o objeto de página como primeira página no loop. Isso é bastante útil se você precisar mostrar as informações da página antes das postagens solicitadas, mas se você não quiser, está ferrado.

Eu posso resolver o problema antes do loop invadindo diretamente os globais, o que realmente não gosto. Eu conecto o método a seguir wpdentro do meu preGetPostsmétodo

public function wp()
{
    $page                          = get_post( $this->pageID );
    $GLOBALS['wp_the_query']->post = $page;
    $GLOBALS['wp_query']           = $GLOBALS['wp_the_query'];
    $GLOBALS['post']               = $page;
}

e preGetPostsmétodo interno

add_action( 'wp', [$this, 'wp'] );

A partir daí, $wp_the_query->post, $wp_query->poste $posttudo mantém o objeto página.

DEPOIS DO LAÇO

É aqui que está o meu grande problema, depois do loop. Depois de hackear os globais através do wpgancho e método,

  • $wp_the_query->poste $wp_query->postvolta à primeira postagem do loop, conforme o esperado

  • $post é definido como a última postagem no loop.

O que eu preciso é que todos os três sejam retornados ao objeto consultado / objeto de página atual.

Eu tentei ligar o wpmétodo à loop_endação, o que não funciona. Ligar o wpmétodo à get_sidebaração funciona, mas é tarde demais.

add_action( 'get_sidebar', [$this, 'wp'] );

A execução printGlobals()direta após o loop no modelo confirma que as $wp_the_query->poste $wp_query->postainda estão definidas na primeira postagem e $postna última postagem.

Posso adicionar manualmente o código dentro do wpmétodo após o loop dentro do modelo, mas a idéia não é alterar os arquivos do modelo diretamente, pois a classe deve ser transferida em um plug-in entre temas.

Existe alguma maneira adequada para resolver este problema em uma corrida pre_get_postsem uma verdadeira página e página estática e ainda manter a integridade $wp_the_query->post, $wp_query->poste $post( tendo os set para o objeto consultado ) antes e depois do loop.

EDITAR

Parece haver confusão sobre o que eu preciso e por que eu preciso

O que eu preciso

Eu preciso manter os valores de $wp_the_query->post, $wp_query->poste $postatravés do modelo, independentemente, e esse valor deve ser o objeto consultado. Nesta fase, com o código que eu publiquei, os valores dessas três variáveis ​​não mantêm o objeto de página, mas publicam objetos de postagens no loop. Espero que esteja claro o suficiente.

Eu publiquei um código que você pode usar para testar essas variáveis

Por que eu preciso disso

Preciso de uma maneira confiável de adicionar postagens pre_get_postsnos modelos de página e nas primeiras páginas estáticas sem alterar a funcionalidade da página inteira. Nesse estágio, como está o código em questão, ele interrompe meu recurso de trilha de navegação e o recurso de página relacionado após o loop, devido ao $postqual contém o objeto de postagem "errado".

Acima de tudo, não quero alterar os modelos de página diretamente. Quero poder adicionar postagens a um modelo de página sem QUALQUER modificação no modelo


O que você está tentando fazer, seus objetivos ou requisitos funcionais? Você não diz isso em lugar nenhum, até onde eu sei.
Adelval

Respostas:


13

Finalmente consegui funcionar, mas não com o código da minha pergunta. Eu descartei totalmente essa ideia e comecei a seguir uma nova direção.

NOTA:

Se alguém conseguir resolver os problemas da minha pergunta, fique à vontade para postar uma resposta. Além disso, se você tiver outras soluções, sinta-se à vontade para postar uma resposta.

CLASSE E SOLUÇÃO REWORKED:

O que tentei fazer aqui foi usar a pós-injeção, em vez de alterar completamente a consulta principal e ficar preso a todos os problemas acima, incluindo (a) alteração direta de globais, (b) execução na questão de valor global e (c) reatribuindo modelos de página.

Usando injeção post, eu sou capaz de manter a integridade post completo, por isso $wp_the_query->post, $wp_query->post, $postse $postestadia constante durante todo o modelo. Cada uma dessas variáveis ​​faz referência ao objeto de página atual (como é o caso de páginas verdadeiras). Dessa forma, funções como trilhas de navegação sabem que a página atual é uma página verdadeira e não algum tipo de arquivo.

Eu tive que alterar ligeiramente a consulta principal ( por meio de filtros e ações ) para ajustar a paginação, mas vamos chegar a isso.

CONSULTA PÓS INJEÇÃO

Para realizar a pós-injeção, usei uma consulta personalizada para retornar as postagens necessárias para a injeção. Também usei a $found_pagespropriedade da consulta personalizada para ajustar a da consulta principal para que a paginação funcione a partir da consulta principal. As postagens são injetadas na consulta principal por meio da loop_endação.

Para tornar a consulta personalizada acessível e utilizável fora da classe, apresentei algumas ações.

  • Ganchos de paginação para conectar funções de paginação:

    • pregetgostsforgages_before_loop_pagination

    • pregetgostsforgages_after_loop_pagination

  • Contador personalizado que conta as postagens no loop. Essas ações podem ser usadas para alterar como as postagens são exibidas dentro do loop de acordo com o número da postagem.

    • pregetgostsforgages_counter_before_template_part

    • pregetgostsforgages_counter_after_template_part

  • Gancho geral para acessar o objeto de consulta e o objeto de postagem atual

    • pregetgostsforgages_current_post_and_object

Esses ganchos oferecem uma experiência completa, pois você não precisa alterar nada no modelo da página, que era minha intenção original desde o início. Uma página pode ser completamente alterada a partir de um plug-in ou arquivo de função, o que torna essa solução muito dinâmica.

Também usei get_template_part()para carregar uma parte do modelo, que será usada para exibir as postagens. Atualmente, a maioria dos temas usa partes do modelo, o que torna isso muito útil na classe. Se os seus usos temáticos content.php, você pode simplesmente passar contentpara $templateParta carga content.php.

Se você precisar de suporte pós formato para partes de modelos, é fácil - você pode simplesmente passar contentpara $templateParte conjunto $postFormatSupportpara true. Como resultado, a parte do modelo content-video.phpserá carregada para uma postagem com um formato de postagem de video.

A CONSULTA PRINCIPAL

As seguintes alterações foram feitas na consulta principal por meio dos respectivos filtros e ações:

  • Para paginar a consulta principal:

    • O $found_postsvalor da propriedade da consulta do injetor é passado para o objeto de consulta principal através do found_postsfiltro.

    • O valor do parâmetro passado pelo usuário posts_per_pageé definido como a consulta principal pre_get_posts.

    • $max_num_pagesé calculado usando a quantidade de postagens em $found_posts e posts_per_page. Por is_singularser verdade nas páginas, inibe a LIMITcláusula que está sendo definida. Simplesmente definir is_singularcomo false causou alguns problemas, então decidi definir a LIMITcláusula através do post_limitsfiltro. Eu mantive a cláusula offsetof para evitar 404 em páginas com a paginação ativada.LIMIT0

Isso cuida da paginação e de qualquer problema que possa surgir após a injeção.

O OBJETO DA PÁGINA

O objeto da página atual está disponível para exibição como uma postagem usando o loop padrão na página, separado e por cima das postagens injetadas. Se você não precisar disso, pode simplesmente definir $removePageFromLoopcomo true e isso ocultará o conteúdo da página.

Nesta fase, estou usando CSS para ocultar o objeto da página através das ações loop_starte loop_end, pois não consigo encontrar outra maneira de fazer isso. A desvantagem desse método é que qualquer coisa conectada ao the_postgancho de ação dentro da consulta principal também ficará oculta.

A CLASSE

A PreGetPostsForPagesclasse pode ser aprimorada e também deve ter um espaço para nome apropriado. Embora você possa simplesmente soltar isso no arquivo de funções do seu tema, seria melhor soltar isso em um plug-in personalizado.

Use, modifique e abuse como achar melhor. O código é bem comentado, por isso deve ser fácil seguir e ajustar

class PreGetPostsForPages
{
    /**
     * @var string|int $pageID
     * @access protected     
     * @since 1.0.0
     */
    protected $pageID;

    /**
     * @var string $templatePart
     * @access protected     
     * @since 1.0.0
     */
    protected $templatePart;

    /**
     * @var bool $postFormatSupport
     * @access protected     
     * @since 1.0.0
     */
    protected $postFormatSupport;

    /**
     * @var bool $removePageFromLoop
     * @access protected     
     * @since 1.0.0
     */
    protected $removePageFromLoop;

    /**
     * @var array $args
     * @access protected     
     * @since 1.0.0
     */
    protected $args;

    /**
     * @var array $mergedArgs
     * @access protected     
     * @since 1.0.0
     */
    protected $mergedArgs = [];

    /**
     * @var NULL|\stdClass $injectorQuery
     * @access protected     
     * @since 1.0.0
     */
    protected $injectorQuery = NULL;

    /**
     * @var int $validatedPageID
     * @access protected     
     * @since 1.0.0
     */
    protected $validatedPageID = 0;

    /** 
     * Constructor method
     *
     * @param string|int $pageID The ID of the page we would like to target
     * @param string $templatePart The template part which should be used to display posts
     * @param string $postFormatSupport Should get_template_part support post format specific template parts
     * @param bool $removePageFromLoop Should the page content be displayed or not
     * @param array $args An array of valid arguments compatible with WP_Query
     *
     * @since 1.0.0
     */      
    public function __construct( 
        $pageID             = NULL,
        $templatePart       = NULL,
        $postFormatSupport  = false,
        $removePageFromLoop = false,
        $args               = [] 
    ) {
        $this->pageID             = $pageID;
        $this->templatePart       = $templatePart;
        $this->postFormatSupport  = $postFormatSupport;
        $this->removePageFromLoop = $removePageFromLoop;
        $this->args               = $args;
    }

    /**
     * Public method init()
     *
     * The init method will be use to initialize our pre_get_posts action
     *
     * @since 1.0.0
     */
    public function init()
    {
        // Initialise our pre_get_posts action
        add_action( 'pre_get_posts', [$this, 'preGetPosts'] );
    }

    /**
     * Private method validatePageID()
     *
     * Validates the page ID passed
     *
     * @since 1.0.0
     */
    private function validatePageID()
    {
        $validatedPageID = filter_var( $this->pageID, FILTER_VALIDATE_INT );
        $this->validatedPageID = $validatedPageID;
    }

    /**
     * Private method mergedArgs()
     *
     * Merge the default args with the user passed args
     *
     * @since 1.0.0
     */
    private function mergedArgs()
    {
        // Set default arguments
        if ( get_query_var( 'paged' ) ) {
            $currentPage = get_query_var( 'paged' );
        } elseif ( get_query_var( 'page' ) ) {
            $currentPage = get_query_var( 'page' );
        } else {
            $currentPage = 1;
        }
        $default = [
            'suppress_filters'    => true,
            'ignore_sticky_posts' => 1,
            'paged'               => $currentPage,
            'posts_per_page'      => get_option( 'posts_per_page' ), // Set posts per page here to set the LIMIT clause etc
            'nopaging'            => false
        ];    
        $mergedArgs = wp_parse_args( (array) $this->args, $default );
        $this->mergedArgs = $mergedArgs;
    }

    /**
     * Public method preGetPosts()
     *
     * This is the callback method which will be hooked to the 
     * pre_get_posts action hook. This method will be used to alter
     * the main query on the page specified by ID.
     *
     * @param \stdClass WP_Query The query object passed by reference
     * @since 1.0.0
     */
    public function preGetPosts( \WP_Query $q )
    {
        if (    !is_admin() // Only target the front end
             && $q->is_main_query() // Only target the main query
             && $q->is_page( filter_var( $this->validatedPageID, FILTER_VALIDATE_INT ) ) // Only target our specified page
        ) {
            // Remove the pre_get_posts action to avoid unexpected issues
            remove_action( current_action(), [$this, __METHOD__] );

            // METHODS:
            // Initialize our method which will return the validated page ID
            $this->validatePageID();
            // Initiale our mergedArgs() method
            $this->mergedArgs();
            // Initiale our custom query method
            $this->injectorQuery();

            /**
             * We need to alter a couple of things here in order for this to work
             * - Set posts_per_page to the user set value in order for the query to
             *   to properly calculate the $max_num_pages property for pagination
             * - Set the $found_posts property of the main query to the $found_posts
             *   property of our custom query we will be using to inject posts
             * - Set the LIMIT clause to the SQL query. By default, on pages, `is_singular` 
             *   returns true on pages which removes the LIMIT clause from the SQL query.
             *   We need the LIMIT clause because an empty limit clause inhibits the calculation
             *   of the $max_num_pages property which we need for pagination
             */
            if (    $this->mergedArgs['posts_per_page'] 
                 && true !== $this->mergedArgs['nopaging']
            ) {
                $q->set( 'posts_per_page', $this->mergedArgs['posts_per_page'] );
            } elseif ( true === $this->mergedArgs['nopaging'] ) {
                $q->set( 'posts_per_page', -1 );
            }

            // FILTERS:
            add_filter( 'found_posts', [$this, 'foundPosts'], PHP_INT_MAX, 2 );
            add_filter( 'post_limits', [$this, 'postLimits']);

            // ACTIONS:
            /**
             * We can now add all our actions that we will be using to inject our custom
             * posts into the main query. We will not be altering the main query or the 
             * main query's $posts property as we would like to keep full integrity of the 
             * $post, $posts globals as well as $wp_query->post. For this reason we will use
             * post injection
             */     
            add_action( 'loop_start', [$this, 'loopStart'], 1 );
            add_action( 'loop_end',   [$this, 'loopEnd'],   1 );
        }    
    }    

    /**
     * Public method injectorQuery
     *
     * This will be the method which will handle our custom
     * query which will be used to 
     * - return the posts that should be injected into the main
     *   query according to the arguments passed
     * - alter the $found_posts property of the main query to make
     *   pagination work 
     *
     * @link https://codex.wordpress.org/Class_Reference/WP_Query
     * @since 1.0.0
     * @return \stdClass $this->injectorQuery
     */
    public function injectorQuery()
    {
        //Define our custom query
        $injectorQuery = new \WP_Query( $this->mergedArgs );

        // Update the thumbnail cache
        update_post_thumbnail_cache( $injectorQuery );

        $this->injectorQuery = $injectorQuery;

        return $this->injectorQuery;
    }

    /**
     * Public callback method foundPosts()
     * 
     * We need to set found_posts in the main query to the $found_posts
     * property of the custom query in order for the main query to correctly 
     * calculate $max_num_pages for pagination
     *
     * @param string $found_posts Passed by reference by the filter
     * @param stdClass \WP_Query Sq The current query object passed by refence
     * @since 1.0.0
     * @return $found_posts
     */
    public function foundPosts( $found_posts, \WP_Query $q )
    {
        if ( !$q->is_main_query() )
            return $found_posts;

        remove_filter( current_filter(), [$this, __METHOD__] );

        // Make sure that $this->injectorQuery actually have a value and is not NULL
        if (    $this->injectorQuery instanceof \WP_Query 
             && 0 != $this->injectorQuery->found_posts
        )
            return $found_posts = $this->injectorQuery->found_posts;

        return $found_posts;
    }

    /**
     * Public callback method postLimits()
     *
     * We need to set the LIMIT clause as it it is removed on pages due to 
     * is_singular returning true. Witout the limit clause, $max_num_pages stays
     * set 0 which avoids pagination. 
     *
     * We will also leave the offset part of the LIMIT cluase to 0 to avoid paged
     * pages returning 404's
     *
     * @param string $limits Passed by reference in the filter
     * @since 1.0.0
     * @return $limits
     */
    public function postLimits( $limits )
    {
        $posts_per_page = (int) $this->mergedArgs['posts_per_page'];
        if (    $posts_per_page
             && -1   !=  $posts_per_page // Make sure that posts_per_page is not set to return all posts
             && true !== $this->mergedArgs['nopaging'] // Make sure that nopaging is not set to true
        ) {
            $limits = "LIMIT 0, $posts_per_page"; // Leave offset at 0 to avoid 404 on paged pages
        }

        return $limits;
    }

    /**
     * Public callback method loopStart()
     *
     * Callback function which will be hooked to the loop_start action hook
     *
     * @param \stdClass \WP_Query $q Query object passed by reference
     * @since 1.0.0
     */
    public function loopStart( \WP_Query $q )
    {
        /**
         * Although we run this action inside our preGetPosts methods and
         * and inside a main query check, we need to redo the check here aswell
         * because failing to do so sets our div in the custom query output as well
         */

        if ( !$q->is_main_query() )
            return;

        /** 
         * Add inline style to hide the page content from the loop
         * whenever $removePageFromLoop is set to true. You can
         * alternatively alter the page template in a child theme by removing
         * everything inside the loop, but keeping the loop
         * Example of how your loop should look like:
         *     while ( have_posts() ) {
         *     the_post();
         *         // Add nothing here
         *     }
         */
        if ( true === $this->removePageFromLoop )
            echo '<div style="display:none">';
    }   

    /**
     * Public callback method loopEnd()
     *
     * Callback function which will be hooked to the loop_end action hook
     *
     * @param \stdClass \WP_Query $q Query object passed by reference
     * @since 1.0.0
     */
    public function loopEnd( \WP_Query $q )
    {  
        /**
         * Although we run this action inside our preGetPosts methods and
         * and inside a main query check, we need to redo the check here as well
         * because failing to do so sets our custom query into an infinite loop
         */
        if ( !$q->is_main_query() )
            return;

        // See the note in the loopStart method  
        if ( true === $this->removePageFromLoop )
            echo '</div>';

        //Make sure that $this->injectorQuery actually have a value and is not NULL
        if ( !$this->injectorQuery instanceof \WP_Query )
            return; 

        // Setup a counter as wee need to run the custom query only once    
        static $count = 0;    

        /**
         * Only run the custom query on the first run of the loop. Any consecutive
         * runs (like if the user runs the loop again), the custom posts won't show.
         */
        if ( 0 === (int) $count ) {      
            // We will now add our custom posts on loop_end
            $this->injectorQuery->rewind_posts();

            // Create our loop
            if ( $this->injectorQuery->have_posts() ) {

                /**
                 * Fires before the loop to add pagination.
                 *
                 * @since 1.0.0
                 *
                 * @param \stdClass $this->injectorQuery Current object (passed by reference).
                 */
                do_action( 'pregetgostsforgages_before_loop_pagination', $this->injectorQuery );


                // Add a static counter for those who need it
                static $counter = 0;

                while ( $this->injectorQuery->have_posts() ) {
                    $this->injectorQuery->the_post(); 

                    /**
                     * Fires before get_template_part.
                     *
                     * @since 1.0.0
                     *
                     * @param int $counter (passed by reference).
                     */
                    do_action( 'pregetgostsforgages_counter_before_template_part', $counter );

                    /**
                     * Fires before get_template_part.
                     *
                     * @since 1.0.0
                     *
                     * @param \stdClass $this->injectorQuery-post Current post object (passed by reference).
                     * @param \stdClass $this->injectorQuery Current object (passed by reference).
                     */
                    do_action( 'pregetgostsforgages_current_post_and_object', $this->injectorQuery->post, $this->injectorQuery );

                    /** 
                     * Load our custom template part as set by the user
                     * 
                     * We will also add template support for post formats. If $this->postFormatSupport
                     * is set to true, get_post_format() will be automatically added in get_template part
                     *
                     * If you have a template called content-video.php, you only need to pass 'content'
                     * to $template part and then set $this->postFormatSupport to true in order to load
                     * content-video.php for video post format posts
                     */
                    $part = '';
                    if ( true === $this->postFormatSupport )
                        $part = get_post_format( $this->injectorQuery->post->ID ); 

                    get_template_part( 
                        filter_var( $this->templatePart, FILTER_SANITIZE_STRING ), 
                        $part
                    );

                    /**
                     * Fires after get_template_part.
                     *
                     * @since 1.0.0
                     *
                     * @param int $counter (passed by reference).
                     */
                    do_action( 'pregetgostsforgages_counter_after_template_part', $counter );

                    $counter++; //Update the counter
                }

                wp_reset_postdata();

                /**
                 * Fires after the loop to add pagination.
                 *
                 * @since 1.0.0
                 *
                 * @param \stdClass $this->injectorQuery Current object (passed by reference).
                 */
                do_action( 'pregetgostsforgages_after_loop_pagination', $this->injectorQuery );
            }
        }

        // Update our static counter
        $count++;       
    }
}  

USO

Agora você pode iniciar a classe ( também no seu plugin ou arquivo de funções ) da seguinte forma para direcionar a página com o ID 251, na qual mostraremos 2 postagens por página do posttipo de postagem.

$query = new PreGetPostsForPages(
    251,       // Page ID we will target
    'content', //Template part which will be used to display posts, name should be without .php extension 
    true,      // Should get_template_part support post formats
    false,     // Should the page object be excluded from the loop
    [          // Array of valid arguments that will be passed to WP_Query/pre_get_posts
        'post_type'      => 'post', 
        'posts_per_page' => 2
    ] 
);
$query->init(); 

ADICIONANDO PAGINAÇÃO E ESTILO PERSONALIZADO

Como mencionei anteriormente, existem algumas ações na consulta do injetor para adicionar paginação e / ou estilo personalizado.

No exemplo a seguir, adicionei a paginação após o loop usando minha própria função de paginação da resposta vinculada . Além disso, usando meu contador personalizado, adicionei <div>a para exibir minhas postagens em duas colunas.

Aqui estão as ações que eu usei

add_action( 'pregetgostsforgages_counter_before_template_part', function ( $counter )
{
    $class = $counter%2  ? ' right' : ' left';
    echo '<div class="entry-column' . $class . '">';
});

add_action( 'pregetgostsforgages_counter_after_template_part', function ( $counter )
{
    echo '</div>';
});

add_action( 'pregetgostsforgages_after_loop_pagination', function ( \WP_Query $q )
{
    paginated_numbers();    
});

Observe que a paginação é definida pela consulta principal, não pela consulta do injetor, portanto, funções internas como the_posts_pagination()também devem funcionar.

Este é o resultado final

insira a descrição da imagem aqui

PÁGINAS DIÁRIAS ESTÁTICAS

Tudo funciona como esperado nas primeiras páginas estáticas, juntamente com a minha função de paginação, sem exigir mais modificações.

CONCLUSÃO

Isso pode parecer um monte de sobrecarga, e pode ser, mas os profissionais superam o grande momento do golpe.

BIG PRO'S

  • Você não precisa alterar o modelo da página específica de forma alguma. Isso torna tudo dinâmico e pode ser facilmente transferido entre os temas sem fazer modificações no código, desde que tudo seja feito em um plugin.

  • No máximo, você só precisa criar uma content.phpparte do modelo no seu tema se o tema ainda não tiver um.

  • Qualquer paginação que funcione na consulta principal funcionará na página sem nenhum tipo de alteração ou qualquer coisa extra da consulta sendo passada para a função.

Há mais profissionais que não consigo pensar agora, mas esses são os mais importantes.


Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.