Trusted WordPress tutorials, when you need them most.
Beginner’s Guide to WordPress
Copa WPB
25 Million+
Websites using our plugins
16+
Years of WordPress experience
3000+
WordPress tutorials
by experts

Como exibir a data da última atualização de seus posts no WordPress

Nota editorial: Ganhamos uma comissão de links de parceiros no WPBeginner. As comissões não afetam as opiniões ou avaliações de nossos editores. Saiba mais sobre Processo editorial.

Deseja exibir a data da última atualização de suas postagens no WordPress?

Alguns sites atualizam suas postagens regularmente. Mostrar quando cada publicação foi atualizada garante que seus leitores não percam nenhum conteúdo, ajuda a criar confiança e autoridade para impulsionar as classificações de SEO.

Neste artigo, mostraremos como exibir a data da última atualização de suas postagens no WordPress.

How to Display the Last Updated Date of Your Posts in WordPress

Por que exibir a data da última atualização de seus posts no WordPress?

Quando os visitantes visualizam um post ou uma página em seu blog do WordPress, o tema do WordPress mostrará a data em que o post foi publicado. Isso é bom para a maioria dos blogs e sites estáticos.

No entanto, o WordPress também é usado por sites em que artigos antigos são atualizados regularmente. Nessas publicações, é importante exibir a data e a hora em que a postagem foi modificada pela última vez.

Por exemplo, no WPBeginner, atualizamos regularmente nossos tutoriais e mostramos a data da “última atualização” em cada publicação. Se exibíssemos apenas a data de publicação, nossos leitores pulariam a publicação, supondo que as informações estivessem desatualizadas.

Example of Showing the Update Date of a Post

Outro exemplo são os sites de notícias. Eles frequentemente atualizam histórias antigas para mostrar novos desenvolvimentos, adicionar correções ou inserir arquivos de mídia. Se eles mostrassem apenas a data de publicação, os usuários perderiam essas atualizações.

Além disso, o Google e outros mecanismos de pesquisa gostam de classificar as informações mais atualizadas. A exibição da data de atualização ajuda o Googlebot e outros a saber quando a postagem foi tocada pela última vez.

Dito isso, vamos dar uma olhada em como você pode exibir facilmente a data da última atualização das suas postagens no WordPress.

Tutorial em vídeo

Subscribe to WPBeginner

Se você preferir um tutorial escrito, continue lendo o guia abaixo.

Como exibir a data da última atualização de seus posts no WordPress

Este tutorial requer que você adicione código aos seus arquivos do WordPress. Se você nunca fez isso antes, recomendamos que dê uma olhada em nosso guia sobre como copiar e colar código no WordPress.

Método 1: Mostrar a data da última atualização antes do conteúdo da postagem

Usaremos o WPCode para este tutorial, pois é a maneira mais segura e fácil de adicionar código personalizado ao WordPress.

A edição dos principais arquivos do WordPress do seu site pode ser perigosa, pois até mesmo pequenos erros ou erros de digitação podem danificar seu site. Portanto, recomendamos que você use o WPCode para adicionar trechos de código.

Primeiro, você precisará instalar e ativar o plug-in gratuito WPCode. Para obter mais informações, consulte nosso guia passo a passo sobre como instalar um plug-in do WordPress.

Depois que o plug-in estiver ativado, navegue até Code Snippets ” Add Snippet em seu painel do WordPress. Pesquise por “last updated date” e passe o mouse sobre o resultado intitulado “Display the Last Updated Date”.

O código verifica se a data de publicação de uma postagem e a data da última modificação são diferentes. Se forem, ele exibirá a data da última modificação antes do conteúdo da postagem. (Essa é a maneira como fazemos isso aqui no WPBeginner).

Em seguida, basta clicar no botão “Use Snippet”.

WPCode searching for a snippet by name

Em seguida, você verá a tela “Edit Snippet”. O WPCode já configurou o snippet para você.

Tudo o que você precisa fazer é alternar a chave para “Active” (Ativo) e clicar em “Update” (Atualizar) quando estiver pronto.

WPCode edit snippet page and activate code

Como o snippet de código exibirá a data atualizada usando os estilos de texto do corpo do site, você pode adicionar CSS personalizado para estilizar a aparência da data da última atualização. Aqui está um pequeno trecho de CSS que você pode usar como ponto de partida:

.last-updated {
    font-size: small;
    text-transform: uppercase;
    background-color: #fffdd4;
} 

Esta é a aparência em nosso site de demonstração do WordPress.

Além disso, se você for um usuário avançado e se sentir à vontade para fazer isso, poderá adicionar o seguinte ao arquivo functions.php do seu tema.

Basta conectar-se ao seu site via FTP ou por meio do gerenciador de arquivos da hospedagem do WordPress e localizar o arquivo na pasta /wp-content/themes/yourthemename/ do seu site.

$u_time          = get_the_time( 'U' );
$u_modified_time = get_the_modified_time( 'U' );
// Only display modified date if 24hrs have passed since the post was published.
if ( $u_modified_time >= $u_time + 86400 ) {

	$updated_date = get_the_modified_time( 'F jS, Y' );
	$updated_time = get_the_modified_time( 'h:i a' );

	$updated = '<p class="last-updated">';

	$updated .= sprintf(
	// Translators: Placeholders get replaced with the date and time when the post was modified.
		esc_html__( 'Last updated on %1$s at %2$s' ),
		$updated_date,
		$updated_time
	);
	$updated .= '</p>';

	echo wp_kses_post( $updated );
}

Método 2: Adicionar a data da última atualização nos modelos de tema

Você também pode exibir a data atualizada no lugar da data publicada ou logo abaixo dela.

Esse método exige que você edite arquivos específicos do tema do WordPress. Os arquivos que você precisa editar dependerão do tema que estiver usando.

Muitos temas do WordPress usam suas próprias tags de modelo para mostrar metadados de publicações, como data e hora. Outros temas usam modelos de conteúdo ou partes de modelos. Temas mais simples usarão single.php, archive.php e outros arquivos de modelo para mostrar conteúdo e metadados.

Você precisa procurar o arquivo que contém o código responsável pela exibição da data e da hora. Em seguida, você pode substituir esse código pelo código a seguir ou adicioná-lo logo após o código de data e hora do tema.

$u_time = get_the_time('U'); 
$u_modified_time = get_the_modified_time('U'); 
if ($u_modified_time >= $u_time + 86400) { 
echo "<p>Last modified on "; 
the_modified_time('F jS, Y'); 
echo " at "; 
the_modified_time(); 
echo "</p> "; } 

Você pode excluir as linhas 6 e 7 se não quiser exibir a hora em que a postagem foi atualizada.

Esta é a aparência em nosso site de demonstração. Com o tema Twenty Twenty-One, adicionamos o snippet de código ao arquivo template-tags.php dentro da pasta inc.

Preview of Displaying Update Date by Editing Template

Como gerenciar a data da última atualização de seus posts no WordPress

Agora que adicionamos a data da última atualização para cada postagem, ela será atualizada automaticamente sempre que você fizer uma alteração em qualquer postagem. Mas e se você estiver fazendo apenas uma pequena correção em vez de uma atualização completa, como corrigir um erro de ortografia ou adicionar uma tag?

Para pequenas alterações, geralmente é melhor deixar a data de modificação inalterada do ponto de vista de SEO. Seus leitores verão a data em que a última grande atualização foi feita na postagem.

Aqui estão alguns plug-ins que permitem que você atualize uma postagem sem alterar a data de modificação.

Método 1: Usando o plug-in Limit Modified Date

Primeiro, você precisa instalar e ativar o plug-in Limit Modified Date. Para obter mais detalhes, consulte nosso guia passo a passo sobre como instalar um plug-in do WordPress.

Observação: este plug-in não foi atualizado recentemente. No entanto, nós o testamos com a versão mais recente do WordPress e ele ainda está funcionando.

Após a ativação, você verá uma nova caixa de seleção ao editar publicações. Ela está identificada como “Don’t update the modified date” (Não atualizar a data de modificação).

Checkbox Added by Last Updated Date

Quando você fizer uma pequena atualização em uma postagem, basta marcar essa caixa e a data de modificação não será alterada.

OAIOSEO, também conhecido como All in One SEO, é o melhor plugin de SEO para WordPress do mercado. Ele o ajuda a melhorar as classificações de pesquisa sem aprender jargões complicados, para que você possa aumentar o tráfego do seu site.

Você pode saber mais em nosso guia sobre como configurar corretamente o All in One SEO para WordPress.

Se você já estiver usando o AIOSEO para melhorar as classificações do mecanismo de pesquisa, poderá usá-lo também para gerenciar a data de modificação das suas postagens.

Após a ativação, você encontrará uma nova caixa de seleção ao editar publicações, chamada “Don’t update the modified date” (Não atualizar a data de modificação). Você pode marcar a caixa ao fazer pequenas alterações em uma postagem.

Isso é útil quando se trata apenas de corrigir erros de digitação ou erros simples, e você pode desmarcar a caixa ao fazer alterações que deseja que seus leitores e mecanismos de pesquisa conheçam.

Checkbox Added by AIOSEO

Esperamos que este tutorial tenha ajudado você a aprender como exibir a data da última atualização de suas postagens no WordPress. Talvez você também queira saber como acelerar o desempenho do WordPress ou conferir nossa lista de dicas comprovadas para aumentar o tráfego do seu blog.

Se você gostou deste artigo, inscreva-se em nosso canal do YouTube para receber tutoriais em vídeo sobre o WordPress. Você também pode nos encontrar no Twitter e no Facebook.

Divulgação: Nosso conteúdo é apoiado pelo leitor. Isso significa que, se você clicar em alguns de nossos links, poderemos receber uma comissão. Veja como o WPBeginner é financiado, por que isso é importante e como você pode nos apoiar. Aqui está nosso processo editorial.

Avatar

Editorial Staff at WPBeginner is a team of WordPress experts led by Syed Balkhi with over 16 years of experience in WordPress, Web Hosting, eCommerce, SEO, and Marketing. Started in 2009, WPBeginner is now the largest free WordPress resource site in the industry and is often referred to as the Wikipedia for WordPress.

O kit de ferramentas definitivo WordPress

Obtenha acesso GRATUITO ao nosso kit de ferramentas - uma coleção de produtos e recursos relacionados ao WordPress que todo profissional deve ter!

Reader Interactions

145 ComentáriosDeixe uma resposta

  1. Syed Balkhi says

    Hey WPBeginner readers,
    Did you know you can win exciting prizes by commenting on WPBeginner?
    Every month, our top blog commenters will win HUGE rewards, including premium WordPress plugin licenses and cash prizes.
    You can get more details about the contest from here.
    Start sharing your thoughts below to stand a chance to win!

    • WPBeginner Support says

      That is better used within the WordPress loop if you want to use it, we recommend the second method in this guide if you wanted something similar.

      Administrador

  2. Ajit Kumar says

    Hey, I am using WordPress Twenty Twenty-Three Theme I have used the above code which you provide in my Function.php Now the latest update date showing on all posts, I was waiting for Google crawling, and after Google crawled the data showed the Published date instead of Updated date.

    How to get an Updated date on my Google Rich Snippet Please help I am very Thank full to you! :)

    Thank You So Much!

    • WPBeginner Support says

      If you remove the published date from your posts that can help have Google show the updated date instead but there is not a guarantee of the date that Google will show as Google determines which one it decides to show.

      Administrador

  3. Imran says

    I tried this but it shows both original published date and last updated date.
    I want to show
    if the post is update- show updated date
    if not
    just show original date.
    How to do this.

    • WPBeginner Support says

      For what you’re wanting you would want to add an else statement that had your theme’s original option to display the date using the method to edit your theme template from this article. An example of what you would add is the code below:


      else {
      // Theme's code
      }

      Administrador

  4. Adam Baney says

    The code to insert into a theme file worked perfectly! I added it as a function in my functions.php file, and called it on the page. The allows me to update the code in 1 place, and it will update across my site, in case I want to show the last modified date for multiple post types or in custom templates. Thank you!

  5. MOHAMMED AQRABI says

    I have a question, for example, if I now display the date of the last update of the article and I have 800 articles and all the dates have changed for all articles at once, will this affect or harm the search engines

    • WPBeginner Support says

      It should not cause an issue, you would mainly need to give time for Google to recrawl your updated dates.

      Administrador

  6. Raphael says

    Thank you so much for this tutorial!
    I used the first method and it perfectly works for me but I am having one issue, the post is still showing the published date on google search instead of the latest update date.
    How can I do away with this?

    • WPBeginner Support says

      It would depend on how recently it has changed, if you just added the updated date you would need to wait for Google to recrawl your post.

      Administrador

  7. Masrafi says

    Hello, this was a very helpful blog and video. But when I apply, it shows the end of the content. please tell me the solution

    • WPBeginner Support says

      You may need to check with the support for your specific theme to check the placement of your code in case your theme has a different method for displaying the publish date.

      Administrador

  8. Laura says

    Just a quick question, the updated date shows at the bottom of my posts, as opposed to the top.

    Is there a solution to ensure the new updated date is at the beginning of the posts?

    • WPBeginner Support says

      It would depend on how your theme is designed. If you reach out to your theme’s support they should be able to help you place it in the correct location :)

      Administrador

  9. Raman says

    Hi Team,

    I am able to print updated date but it’s getting rendered below the featured image, can you advise how can print the udpated date on the top of the featured image, means right below the title.

    • WPBeginner Support says

      You would want to reach out to the support for your specific theme and they should be able to assist with that placement.

      Administrador

  10. Sanaullah Farooq says

    Hello,

    I want to show only post update date on page and in search results instead of publish date. How can I achieve that? I have tried everything.

    • WPBeginner Support says

      If you are unable to remove the published date then we would recommend reaching out to your specific theme’s support and they would be able to help you remove that.

      Administrador

    • WPBeginner Support says

      If the change is recent, you would need to wait for Google’s cache to clear. Otherwise, you would want to check with your theme’s support to ensure they are not setting the specific publish date elsewhere

      Administrador

  11. Shubham Davey says

    What if I want to show only the updated date & not the published date? The method shown here displays both published & updated date, I don’t want that, just updated date, that’s it.

    • WPBeginner Support says

      It would depend on your theme but you would use method 2 to replace the display of the last edited date. The location of that code varies from theme to theme.

      Administrador

  12. John says

    The PHP code worked great, but how do I limit it to post pages only. Once I added the code to functions.php it displayed last updated on both pages and posts. What do I need to add to limit it to just posts?

    Thanks,

    John

    • WPBeginner Support says

      To limit it to posts you would use an if statement after the function:

      function wpb_last_updated_date( $content ) {
      if ( is_single() ) {

      and add a closing } above the add_filter line

      Administrador

      • John says

        Thank you for the quick response!

        I tried the code, but it prevents my blog pages from rendering. However, my blog post pages continue to work and display last updated date.

        Do you have any idea why that is?

        • WPBeginner Support says

          You may want to reach out to your theme’s support, this code shouldn’t prevent the rendering of content unless something theme-specific is conflicting with it.

  13. Romeo says

    Still worked in September 2019 for one of my sites. For my Genesis based site, I needed to use the Genesis Simple Edits plugin to easily modify the post info since they put the post info in an array, instead of in a function.

  14. Kirsty says

    Hi there,

    I’m having the opposite problem – I have a new website and have backdated my posts to the date that they were originally created, but my site is showing the dates that they were last updated.

    Any advice on how to fix this, or if there is a link to another tutorial for that somewhere would be greatly appreciated, I can’t find one!

    Thanks.

    • WPBeginner Support says

      By default, WordPress should work like this, you may want to reach out to the support for the specific theme you’re using to see if they have a setting for this.

      Administrador

    • WPBeginner Support says

      Unless I hear otherwise, we haven’t tested the SEO impact of having both displaying at the same time but your post’s metadata should let search engines know which date to look at.

      Administrador

  15. Noz says

    Thanks.. is there a way to show the Last modified field Only After certain time from date of post?
    i.e if the next day you edited a post for some reason, doesn’t have to show as modified..

  16. Bill Hogsett says

    i have a page that lists books that I have read and I update the page when I start a new book.

    On the sit’s homepage I have a menu link to the book list. I would like to have button, or maybe just text, next to the homepage link showing the last time the book list page has been updated.

    Any suggestions?

    Thanks.

    • WPBeginner Support says

      You could either add a text widget or edit the menu item’s title manually when you update the page.

      Administrador

  17. Herbert says

    I am using Method 1 since Method 2 doesnt seem to work on my theme. Is there a way to have the text be displayed n the bottom of the post? Your response would mean a lot. Thank you

    • WPBeginner Support says

      For relocating the publish date you would want to reach out to the support for the theme you are currently using for how to do that with your theme.

      Administrador

  18. Pete says

    This is great. Quick question, I can’t seem to get it to only show on post and not pages? I tried to add method 2 to the single post template, but that didnt seem to work. It doesnt contain a bit about date or time. Even though the date is displayed in header.
    Should i be adding more to show date and time in the single post template?

    • WPBeginner Support says

      Your specific theme may be pulling that information from another file. If you reach out to your specific theme’s support they should be able to assist.

      Administrador

  19. Alexander says

    Hi, thanks so much for this guidance freely given.

    Suppose I do not want to show the published date but only the last updated date? How can I modify the code to achieve that, please?

    Thanks
    Alexander

    • WPBeginner Support says

      You would need to modify your theme’s templates, as each theme is different you would need to check with your theme’s support for where the published date is located

      Administrador

  20. Melanie says

    Hi,

    I found your information helpful. But perhaps you can answer two more questions:

    When is it best to completely update a post aka republish it versus just provide the “last updated” information? Sometimes republishing something feels like cheating – it’s a lazy way to update my blog.

    I’ve also read that having two dates on a post can confuse Google when it is crawling your site. Of course, I would like for them to pick up the latest date so it shows next to the description in the search results. Is there a way to show one or the other?

    Right now, I have removed the entry date on posts while employing the “last updated” date (using css for both). Problem is that if I haven’t updated something, then it shows no date which is also a no-no according to the post above.

    A LOT to address here, I know! But if you would be so kind to consider a reply, I would appreciate it.

    Thanks!

    • WPBeginner Support says

      Hi Melanie,

      It is best to simply update a post if changes are minor. However, if a post is completely outdated and a rewrite contains all new information, then you can publish it as a new article and redirect your old article.

      Administrador

  21. Christie says

    How do you keep the “last updated” from appearing at the top of specific pages. I really only want it on blog posts, not my homepage, contact page, etc.? thanks.

  22. Laura says

    This code is excellent. Thanks so much. I’m following pretty much all of it, but I’m just curious what the 86400 number added to the updated time is doing.

    Thanks in advance.

  23. Sunny Mui says

    Thanks, this was helpful for implementing last updated text on my blog.

    One point, the theme specific code is actually incorrect. You forgot the “echo get_…” before the get_the_modified_time() function.

    Right now it just says:

    the_modified_time(‘F jS, Y’);
    echo ” at “;
    the_modified_time();

    When it should say:

    echo get_the_modified_time(‘F jS, Y’);
    echo ” at “;
    echo get_the_modified_time();

  24. Jamie Brower says

    Can you please tell me how to post the modified date AFTER the content. I tried using a in the footer.php but then it just displays before the content AND in the footer. I would just like the footer to display.

  25. Daniele says

    Thanks guys, it works like a charm! A so so cool tip!

    If you want to add the last modified ONLY ON POSTS, that works for me (I’m Italian and I edited it not showing the hour and modified the date order):

    function wpb_last_updated_date( $content ) {
    $u_time = get_the_time(‘U’);
    $u_modified_time = get_the_modified_time(‘U’);
    if ($u_modified_time >= $u_time + 86400) {
    $updated_date = get_the_modified_time(‘d F Y’);
    $updated_time = get_the_modified_time(‘H:i’);
    $custom_content .= ‘Articolo aggiornato il ‘. $updated_date . ”;
    }
    if(is_single()){
    $custom_content .= $content;
    return $custom_content;
    }
    return $content;
    }
    add_filter( ‘the_content’, ‘wpb_last_updated_date’ );

  26. David says

    I have applied above all settings on my website and its working fine.

    But I have one question that when two dates shown above content then which date will be shown in google search engine result page? Please provide answer because I have done all this only for showing last update date in google search engine result page.

  27. Vishal Mukherjee says

    Hi,
    Added the following code to functions.php

    function wpb_last_updated_date( $content ) {
    $u_time = get_the_time(‘U’);
    $u_modified_time = get_the_modified_time(‘U’);
    if ($u_modified_time >= $u_time + 86400) {
    $updated_date = get_the_modified_time(‘F jS, Y’);
    $updated_time = get_the_modified_time(‘h:i a’);
    $custom_content .= ‘Last updated on ‘. $updated_date . ‘ at ‘. $updated_time .”;
    }

    $custom_content .= $content;
    return $custom_content;
    }
    add_filter( ‘the_content’, ‘wpb_last_updated_date’ );

    Works fine for posts but … the same is displayed in Pages also.
    I want it only for post. or if pages then at a different place eg End og the page article.

    Best Wishes
    Vishal Mukherjee

  28. Victor Step says

    Thank you for the code.
    However, there is a common problem that Google pulls the date of the embedded youtube video instead of the updated blog post date. In your case, I see that the search results do in fact show the correct date, and not the embedded video’s upload date. How did you achieve this? Thank you.

  29. RUWAN says

    hello, I want only show updated date like your website, not both(updated and published date), when I add your code to site then its shows that both dates, please guide me to show only that updated date. thanks

  30. Ludwig Sörmlind says

    Thank you for this post, I tried it and it works like a charm. I went for the site-specific plugin-option.

  31. Ebuka says

    Thanks a lot it worked perfectly. but for the custom CSS only the “text-transform” worked on my theme. Other CSS like; color, text-weight, background-color etc. did not work. Please is there any possible way around it?

  32. peter says

    hi syed ,am peter. the code work on my theme, but when i tried to add css style , i mean this code .last-updated {
    font-size: small;
    text-transform: uppercase;
    background-color: #fffdd4;
    }

    my site goes blank. please what do i do to restore my website…

  33. Steve W says

    Thank you for this tip. I actually turned it into a shortcode so that it only shows up where I want it, and not on every page or post. [last_updated]

  34. Velyz Zhang says

    Hi,
    Actually the code is work, but the result showing some numbers before “last update”

    1494555840LAST UPDATED ON JUL 9, 2017

    Every single post that I updated showing different numbers like that. Any one can help me?

    Thank you

  35. Adarsh Sahu says

    Hey I just tried this method it worked fine for me but the problem is that now my post is not showing any date in google search please help me i also want to show last updated date in Google search when anyone searches my content.

  36. Filip says

    Hi
    The code work great, thank you!
    Can you tell us how to edit published time and add Published by “author” like in your images?

  37. Chuks Ibe says

    I tried using this for my blog but it is also showing the “Last Updated” in the latest post page and its making it look like Last updated is part of the post content.

    i need help to correct this thanks.

Deixe uma resposta

Obrigado por deixar um comentário. Lembre-se de que todos os comentários são moderados de acordo com nossos política de comentários, e seu endereço de e-mail NÃO será publicado. NÃO use palavras-chave no campo do nome. Vamos ter uma conversa pessoal e significativa.