WordPress se recusa a enviar e-mails, "... seu host pode ter desativado a função de email ()"
-
-
Porfavor,forneça [Informações de depuração] (http://codex.wordpress.org/debugging_in_wordpress)Please provide [debugging information](http://codex.wordpress.org/Debugging_in_WordPress)
- 0
- 2013-04-08
- s_ha_dum
-
9 respostas
- votos
-
- 2013-04-08
Passo apasso:primeiroencontre o arquivo onde amensagem deerro aparece. Eu uso o Notepad ++e o comando ctrl + f parapesquisarem arquivos. É umaboaideiaprocurar apenas asprimeiraspalavras damensagem deerro,porque algumasmensagens deerro são combinadas demensagens diferentes.
Suamensagem deerro apareceno
WP-Login.php
e Sorte Sul,só lá. Então,vamos dar uma olhadapor queesseerropode ocorrer.se ($message & amp; & amp;! wp_mail ($ user_email,$title,$message))
Existem duas condições.
$ Message
Tem que ser verdade (não uma string vazia,nãofalsa,nãonull,etc). Ewp_mail ()
não deve retornarfalse.Uma linha acima,há umfiltro
$message=apply_filters ('retrieve_password_message',$ Message,$tecla);
,porisso épossível que umplugin (outema) useestefiltroe Retorna um valor quenão é verdadeiro (corda vazia,falsa,nula,etc.).Mas émuitomaisfácil verificar se
wp_mail ()
estáfuncionando ounão. Escreva umpequenopluginparaenviar ume-mailpara você:& lt;?php /** * Nome doplug-in: StackExchange Testplugin * Plugin Uri: http://yoda.neun12.de * Descrição: Envie-me ume-mail deteste * Versão: 0.1 * Autor: Ralf Albert * Autor Uri: http://yoda.neun12.de * Domínio detexto: * Caminho de domínio: * Rede: * Licença: GPLV3 */ Namespace WordPressCkExchange; add_action ('init',__namespace__. '\plugin_init'); funçãoplugin_init () { $to='[email protected]'; $ Assunto='testemail'; $message='foobarbaztestmailestáfuncionando'; wp_mail ($para,$ assunto,$mensagem); }
(este é o códigophp5.3. Se vocêestiverexecutando o PHP5.2,remova as coisas donamespace)
Oplugin deveenviar umtestmailimediatamente após a ativação. Senão,chamando algumaspáginas deback-end (porexemplo,opainel) devefazê-lo.
Se otestmailnão chegar,provavelmenteterá umproblema com
wp_mail ()
. Então ligue a depuração:Definir ('WP_DEBUG',TRUE); Definir ('WP_DEBUG_LOG',TRUE); Definir ('WP_DEBUG_DISPLAY',TRUE); @ini_set ('display_errors',1);
Coloqueeste códigoem seu
wp-config.php
e tentenovamenteenviando umtestmail. Agora você deve obter algumasmensagens deerroe elestambém devem ser registradosemwp-content/debug.log
(O log de depuraçãopode crescermuitogrande se houvermaiserros causados porpluginse/outemas).Nesteponto,vocêtem boasinformações se
wp_mail ()
falhae,em caso afirmativo,por quê. Sewp_mail ()
funcionar corretamentee otestmail chegou,voltepara cimae descubrapor que$message
não é verdade.Se vocêtiverproblemas com
wp_mail ()
,entãotenhaem mente quewp_mail ()
não usa PHPsmail ()
função. WordPress Use uma classe PHP (phpmailer ). Talvez vocêprecise apenas umplug-inpara usar o SMTP em vez do sendmail. Ou oproblemaestá localizadoem outro lugar. Nósnão sabemos. Vocêtem queinvestigar.Step by step: First find the file where the error message appear. I use Notepad++ and the CTRL + F command to search in files. It is a good idea to search only the first few words of the error message, because some error messages are combined of different messages.
Your error message appear in
wp-login.php
and holy luck, only there. So let's have a look why this error could occur.if ( $message && !wp_mail($user_email, $title, $message) )
There are two conditions.
$message
have to be true (not an empty string, not false, not null, etc). Andwp_mail()
shouldn't return false.One line above, there is a filter
$message = apply_filters('retrieve_password_message', $message, $key);
, so it is possible that a plugin (or theme) use this filter and returns a value that is not true (empty string, false, null, etc.).But it is much easier to check if
wp_mail()
is working or not. Write a small plugin to send a test mail to yourself:<?php /** * Plugin Name: Stackexchange Testplugin * Plugin URI: http://yoda.neun12.de * Description: Send me a test email * Version: 0.1 * Author: Ralf Albert * Author URI: http://yoda.neun12.de * Text Domain: * Domain Path: * Network: * License: GPLv3 */ namespace WordPressStackexchange; add_action( 'init', __NAMESPACE__ . '\plugin_init' ); function plugin_init(){ $to = '[email protected]'; $subject = 'Testemail'; $message = 'FooBarBaz Testmail is working'; wp_mail( $to, $subject, $message ); }
(This is PHP5.3 code. If you are running PHP5.2, remove the namespace things)
The plugin should send a testmail immediately after activation. If not, calling some backend pages (e.g. dashboard) should do it.
If the testmail does not arrive, then you probably have an issue with
wp_mail()
. So turn on debugging:define( 'WP_DEBUG', true ); define( 'WP_DEBUG_LOG', true ); define( 'WP_DEBUG_DISPLAY', true ); @ini_set( 'display_errors',1 );
Put this code into your
wp-config.php
and retry sending yourself a testmail. Now you should get some error messages and they also should be logged intowp-content/debug.log
(The debug log can grow very large if there are more errors caused by plugins and/or themes).At this point, you got good informations if
wp_mail()
fails and if so, why. Ifwp_mail()
work correctly and the testmail arrived, go back to top and find out why$message
is not true.If you have issues with
wp_mail()
, so keep in mind thatwp_mail()
does not use PHPsmail()
function. WordPress use a PHP class (PHPMailer). Maybe you just need a plugin to use SMTP instead of sendmail. Or the problem is located at another place. We don't know. You have to investigate.-
Sim,eutentei cavar onúcleoe tambémme levou aophpmailer,e na verdade * usa o "mail ()" do PHP.Pelomenosem alguns casos (ver linha 732em `wp-inclui/class-phpmailer.php`. Eunãotenho acesso ao FTP ATM,mas voutentar suas sugestões assim quepuder. Certamenteisso deveme levar a algum lugar. Muito obrigado!Yeah i tried digging into the core and it also lead me to PHPMailer, and it actually *does* use php's `mail()`. At least in some cases (see line 732 in `wp-includes/class-phpmailer.php`. I don't have access to the ftp atm but i will try your suggestions as soon as i can. Surely this must lead me somewhere. Thanks a lot!
- 0
- 2013-04-08
- qwerty
-
Eutestei `WP_MAIL ()`e parecefuncionarbem,recebi oe-mail comoesperado.WP aindanãoenviaria ose-mails de comentário/senha,e eunão recebinadano arquivo de log (nãofoi criado),entãoeutentei instalar umplugin deemail SMTPe configurar umanova conta dee-mailparaWordPress.Funciona agora,mas aindanãoentendoporquenãopodiaenviar antes.Obrigado!I tested `wp_mail()` and it seems to work fine, i received the mail as expected. WP still wouldn't send the comment/password-reset emails though, and i didn't get anything in the log file (it wasn't created), so i tried installing an SMTP mail plugin and set up a new email account for Wordpress. It works now but i still don't understand why it couldn't send before. Thanks!
- 0
- 2013-04-09
- qwerty
-
Eunãoestou recebendonenhumerroe nemmesmoemailI'm not getting any error and even not mail
- 0
- 2017-08-19
- baldraider
-
- 2014-12-11
Esta é umamensagem deerro superirritante,poispoderia ser muitas coisas,e não revela oerro real (que éfrequentemente silenciadoem outraspartes do código).
Esteerro aparece quando o
.wp_mail ()
função retornafalse,o quepor sua vezpode acontecer sephpmailer- >enviar ()
retornafalse ougera umaexceção.
Comoexibir avisos do correio dophp ()
Estes sãonormalmente silenciadosporpadrão,masinfelizmente WordPressnunca os captam. Paramostrá-los,basta remover os sinais
@
de@mail (...
nowp-inclui/class-phpmailer.php
no < Código> MailPassy () Função:se (ini_get ('safe_mode')||! ($this- > usedendmailoptions)) { $ rt=@mail ($para,$this- > coderheader ($this- > secureheader ($ sujeito)),$ corpo,$ header); } outro { $ rt=@mail ($para,$this- > coderheader ($this- > SecureHeader ($ Assunto)),$ corpo,$ header,$params); }
Como caçar outras causaspossíveis:
- .
-
Adicione uma única linha àparteinferior do
wp_mail ()
em/wp-InCludes/pluggable.php
://Enviar! tentar { retornar $phpmailer- >enviar (); } Catch (phpmailerexception $ E) { //------------- Estapróxima linha é a única a adicionar ------------------- if (wp_debug)echo '& lt;prée gt;' .esc_html (print_r ($ E,TRUE)). '& lt;/pre >'; retornafalso; }
-
Despeje os detalhes completos de onde aexceçãofoi levantada. Infelizmente,às vezesincluiessamensagem deexceçãoinútil: "nãopoderiainstanciar afunção de correio ". Sim obrigado WordPress,isso émuito útil.
-
olhandopara aexceção,vocêpodeencontrar onúmero da linha doerroe,esperançosamente,pode rastreá-lo de voltapelo códigoparaencontrar a causa real.
Boa sorte. Espero que o WordPressmelhore o controle deerros dee-mailem algummomentonofuturo.
This is a super annoying error message as it could be many things, and it doesn't reveal the actual error (which is often silenced in other parts of the code).
This error appears when the
wp_mail()
function returns false, which in turn could happen ifphpmailer->Send()
returns false or raises an exception.How to display warnings from PHP's
mail()
functionThese are normally silenced by default, but unfortunately WordPress never captures them. To show them, simply remove the
@
signs from@mail(...
inwp-includes/class-phpmailer.php
in themailPassthru()
function:if (ini_get('safe_mode') || !($this->UseSendmailOptions)) { $rt = @mail($to, $this->encodeHeader($this->secureHeader($subject)), $body, $header); } else { $rt = @mail($to, $this->encodeHeader($this->secureHeader($subject)), $body, $header, $params); }
How to hunt down other possible causes:
Add a single line to the bottom of
wp_mail()
in/wp-includes/pluggable.php
:// Send! try { return $phpmailer->Send(); } catch ( phpmailerException $e ) { //------------- This next line is the one to add ------------------- if (WP_DEBUG) echo '<pre>' . esc_html(print_r($e, TRUE)) . '</pre>'; return false; }
It will dump the full details of where the exception was raised. Unfortunately it sometimes includes this unhelpful exception message: "Could not instantiate mail function". Yeah thanks WordPress, that's real helpful.
By looking at the exception you can find the line number of the error, and can hopefully trace it back through the code to find the real cause.
Good luck. Hopefully WordPress improves email error handling at some point in the future.
-
- 2017-05-03
Eutenho omesmoproblema com o Ubuntu Serverno Amazon EC2.i Obterproblema ao usar o link de redefinição de senhae também outroe-mail denotificaçãonãoestavamfuncionando.
Então,aquiestão as soluções quefuncionaramparamim.word-press used
wp_mail()
funçãoparaenviare-mail queprecisaPHPMailer
classe que usou omailerphp armazenadoem/usr/sbin/sendmail
.Useesta simplesfunção PHPprimeiropara verificar o PHP Mail
<?php $to = "[email protected]"; $subject = "Test Email Function"; $txt = "Hello world!"; $headers = "From: [email protected]" . "\r\n" . "CC: [email protected]"; mail($to,$subject,$txt,$headers); ?>
Seissonãoestiverfuncionando,vocêprecisainstalar o Php Mailer. Useeste comandoparainstalar o PHP Mailno Ubuntu Server.
sudo apt-get install sendmail
Em seguida,verifique asfunções dee-mailpressionadaspelo Word.
I has same issue with Ubuntu server on Amazon EC2.I get issue while using reset password link and also other notification email were not working.
So here is solutions which worked for me.Word-press used
wp_mail()
function to send email which needPHPMailer
class which used php mailer stored in/usr/sbin/sendmail
.Use this simple php function first to check php mail
<?php $to = "[email protected]"; $subject = "Test Email Function"; $txt = "Hello world!"; $headers = "From: [email protected]" . "\r\n" . "CC: [email protected]"; mail($to,$subject,$txt,$headers); ?>
If this is not working then you need to install php mailer. Use this command to install php mail on Ubuntu server.
sudo apt-get install sendmail
Then check word-press email functions.
-
Esta resposta é aquela que alguém devetentar antes de qualquer outra respostas,este é o caminho apercorrerthis answer is the one anyone should try before any other answers, this is the way to go
- 0
- 2019-01-25
- hatenine
-
- 2017-02-04
Se a outragrande respostas aquinão ajudar,tente isto:
Euencontreiessemesmoproblemae nada queeupudesseencontrarem qualquer uma das sugestõespara o WordPress resolvidoparamim.
Entãoeu comecei ainvestigar sefosse aprópriainstalação do PHP que desabilitou afunção de correio,masnenhuma dessefuncionava. Tudoparecia quefoi configurado corretamente.
Todosessesproblemas começouparamim Uma vez queeu atualizeimeu servidorpara Centos 7,que usa o Selinux (segurança aprimorada Linux)e o queeu aprendinas últimas duas semanas com Selinux é que se algonãoestiverfuncionando,mas Tudoparece que deveriaestarfuncionando ... Isso significa que o Selinux é silenciosamentee secretamentebloqueando vocêem segundoplano.
e viola.
Se vocêestiverem execuçãoe OS que use o Selinux,bastaexecutar o seguinte comando como root:
setsebool -P httpd_can_sendmail=1
Existe uma configuração de segurança queimpedeinerentemente que o servidor do servidorenvieemail. Quando você viraesse switche diz ao Selinux,tudobem para o servidor Webenviare-mail,tudo de repentefunciona.
If the other great answers here don't help, try this:
I encountered this same problem and nothing I could find in any of the suggestions for WordPress solved it for me.
Then I started investigating if it was the PHP installation itself that had disabled the mail function, but none of that worked either. Everything looked like it was configured properly.
All of these problems started for me once I upgraded my server to CentOS 7 which uses SELinux (Security Enhanced Linux) and what I've learned in the last couple of weeks with SELinux is that if something isn't working, but everything looks like it should be working... that means SELinux is silently and secretly blocking you in the background.
And viola.
If you are running and OS that uses SELinux, just execute the following command as root:
setsebool -P httpd_can_sendmail=1
There is a security setting that inherently prevents the webserver from sending email. When you flip that switch and tell SELinux it's ok for the webserver to send email, everything suddenly works.
-
- 2014-01-16
Eu corriparaisso hoje;Nomeu caso,a situação aconteceuporque o arquivo dos hosts do servidortem omesmonome de domínio doendereço dee-mail,apontandopara localhost.O registro MX apontapara um servidor diferente,mas o arquivo hostsestá substituindo DNSe WPestátentandoentregar oemail localmente.Removendo o domínio do arquivo hostse reiniciar o Sendmail resolveuesseproblema.
I ran into this today; in my case the situation happened because the server's hosts file has the same domain name of the email address, pointing to localhost. The mx record points to a different server, but the hosts file is overriding DNS and WP is trying to deliver the email locally. Removing the domain from the hosts file and restarting sendmail resolved this issue.
-
- 2014-05-30
Eunão sei seisso ainda é relevantepara você ounão,mas desde quenão há respostaescolhida,eupensei queme deixetentar uma vez.
Na verdade,euenfreteiexatamente omesmoproblema desde quemeu host do OpenShift de repente cedeu hojee parou deenviare-mails. Escavando o códigoe o Codex,eu vimpara saber sobre afunção WP_MAIL ()e finalmente o Googleme levou aquie vi comoissopoderia ser substituído.
Building on @ RALF912's Resposta,modifiquei o script umpoucopara que o código use a API da Web do SendGrid.comparaenviare-mailsem vez dopadrão WordPress (queeupresumo:
<?php function sendgridmail($to, $subject, $message, $headers) { $url = 'https://api.sendgrid.com/'; //$user = 'yourUsername'; //$pass = 'yourPassword'; $params = array( 'api_user' => $user, 'api_key' => $pass, 'to' => $to, 'subject' => $subject, 'html' => '', 'text' => $message, 'from' => '[email protected]', ); $request = $url.'api/mail.send.json'; // Generate curl request $session = curl_init($request); // Tell curl to use HTTP POST curl_setopt ($session, CURLOPT_POST, true); // Tell curl that this is the body of the POST curl_setopt ($session, CURLOPT_POSTFIELDS, $params); // Tell curl not to return headers, but do return the response curl_setopt($session, CURLOPT_HEADER, false); curl_setopt($session, CURLOPT_RETURNTRANSFER, true); // obtain response $response = curl_exec($session); curl_close($session); // print everything out //print_r($response); } //only for testing: /*$to = '[email protected]'; $subject = 'Testemail'; $message = 'It works!!'; echo 'To is: ' + $to; #wp_mail( $to, $subject, $message, array() ); sendgridmail($to, $subject, $message, $headers); print_r('Just sent!');*/ if (!function_exists('wp_mail')) { function wp_mail($to, $subject, $message, $headers = '', $attachments = array()) { // use the PHP GnuPG library here to send mail. sendgridmail($to, $subject, $message, $headers); } } function plugin_init() { /* $to = '[email protected]'; $subject = 'Testemail'; $message = 'It works Live!'; //echo 'To is: ' + $to; wp_mail( $to, $subject, $message, array() ); //print_r('Just sent!');*/ }
e funcionou!
I don't know whether this is still relevant to you or not, but since there is no answer chosen, I thought let me give it a try once.
Actually, I had faced the exact same problem since my openshift host all of a suddenly gave way today and stopped sending mails. Digging through the code and codex, I came to know about the wp_mail() function and finally google led me here and I saw how it could be overridden.
Building on @Ralf912's answer, I modified the script a bit so that the code uses sendgrid.com's web api to send mails instead of wordpress default one (that I presume :
<?php function sendgridmail($to, $subject, $message, $headers) { $url = 'https://api.sendgrid.com/'; //$user = 'yourUsername'; //$pass = 'yourPassword'; $params = array( 'api_user' => $user, 'api_key' => $pass, 'to' => $to, 'subject' => $subject, 'html' => '', 'text' => $message, 'from' => '[email protected]', ); $request = $url.'api/mail.send.json'; // Generate curl request $session = curl_init($request); // Tell curl to use HTTP POST curl_setopt ($session, CURLOPT_POST, true); // Tell curl that this is the body of the POST curl_setopt ($session, CURLOPT_POSTFIELDS, $params); // Tell curl not to return headers, but do return the response curl_setopt($session, CURLOPT_HEADER, false); curl_setopt($session, CURLOPT_RETURNTRANSFER, true); // obtain response $response = curl_exec($session); curl_close($session); // print everything out //print_r($response); } //only for testing: /*$to = '[email protected]'; $subject = 'Testemail'; $message = 'It works!!'; echo 'To is: ' + $to; #wp_mail( $to, $subject, $message, array() ); sendgridmail($to, $subject, $message, $headers); print_r('Just sent!');*/ if (!function_exists('wp_mail')) { function wp_mail($to, $subject, $message, $headers = '', $attachments = array()) { // use the PHP GnuPG library here to send mail. sendgridmail($to, $subject, $message, $headers); } } function plugin_init() { /* $to = '[email protected]'; $subject = 'Testemail'; $message = 'It works Live!'; //echo 'To is: ' + $to; wp_mail( $to, $subject, $message, array() ); //print_r('Just sent!');*/ }
And it worked!
-
- 2016-08-23
Eutive omesmoerro,ambas asfunções (correioe wp_mail)funcionaram,maseu aindatinhaesseerroirritante. A correçãofoimuitofácil,mas demorei algumas horasparaencontrar omotivo. Entãoeu vou compartilhar aquiminha soluçãonoproblema quepode ser (oupodenão) omesmo com o seu.
Eutentei email ()funçãoe funcionou,mas quando você oteste,vocênãoespecifica o últimoparâmetro chamado 'parâmetros'no correio ()função. E o WP usaisso.
@mail("[email protected]",$title,$body,$headers,"[email protected]");
Então,basicamente,esteparâmetro ("[email protected]") comflag "-f"fazemail () Função Verifique se oendereço dee-mail "[email protected]" listouna lista "Trusted Emails" .
Então,seissonão acontecer,ele retornafalse,o quefaz wp_mail () retornafalsose leva àmensagem deerro.
Então,a solução épedir a Hosterfazerissopor você,ou se vocêestiver usando o CPanel,basta adicionar conta dee-mailparaesteendereçoe eleirá adicioná-lo automaticamentena "lista confiável".
I had the same error, both functions(mail and wp_mail) worked, but I still had this annoying error. The fix was very easy, but it took me few hours to find the reason. So I will share here my solution on the problem which might be (or might not) the same with yours.
I tried mail() function and it worked, but when you test it you don't specify the last parameter called 'parameters' in mail() function. And WP does use it.
@mail("[email protected]",$title,$body,$headers,"[email protected]");
So, basically, this parameter ("[email protected]") with flag "-f" makes mail() function check if the email address "[email protected]" listed in the "trusted emails" list.
So if it doesn't, it returns false, which makes wp_mail() returns false and leads to the error message.
So, solution is to ask hoster to do this for you, or if you are using cPanel, just add email account for this address and it will automatically will add it into the "trusted list".
-
- 2019-05-31
Chamado - IDS dee-mails registradosparaenviare-mails via scriptsie. (WordPress)
- .
- Login seu cPanel.
- Vápara a seção dee-mail> Em seguida,cliqueem IDs dee-mail registrados.
- então adicione ([email protected]) ou onde seu WordPress sediou.ou seja ([email protected]).Em seguida,envie algunsminutospara ativar aespera 15minutepara 1 hora,dependendo do seuprovedor de hospedagem,entãofuncionará.
it called -Manage Registered Email-Ids For Sending Mails via Scripts ie.(Wordpress)
- Login your Cpanel.
- Go to Email Section > then Click Registered Email IDs.
- then add ([email protected]) or where your wordpress hosted. ie ([email protected]) . then submit, it takes few minute to activate wait 15minute to 1 hour depending to your hosting provider, then it will work.
-
- 2019-12-14
Eutinhaesseerropara asidadese tenteitantas soluções quenãofuncionavam.Eutenho umainstalação do WordPresspersonalizadano AWS EC2.Primeiro Desligado Certifique-se de que o seu correio AWS SES seja ativadopormeio de suporte,eles devemestarnamesma região (oufechar)no SESe EC2. Eu usei o Google Suite (Gsuite)parae-mailpara receber/enviare-mail.
Certifique-se de que oemail dotesteenvieno AWS SESe Gsuite.
Instale o WordPress Plugin WP Mail SMTP,use a opção "Outro SMTP",pegue suas credenciais SMTP da AWS SES,é aqui quefiqueipreso.
Você deve ativar a caixa detick "SSL"para criptografia,isso altera aportapara 465paramim.Finalmentemeuteste dee-mailenviado de Worpdress com sucesso.
I had this error for ages and tried so many solutions that didn't work. I have a custom Wordpress install on AWS EC2. First off ensure your AWS SES mail is enabled through support, they must be in the same (or close) region in SES and EC2. I used Google suite(gsuite) for email for receiving/sending mail.
Make sure the test email sends in AWS SES and Gsuite.
Install the Wordpress plugin WP Mail SMTP, use the option "Other SMTP", grab your SMTP credentials from AWS SES, this is where I got stuck.
You must enable the tick box "SSL" for Encryption, this changes the port to 465 for me. At last my email test sent from Worpdress successfully.
Euimplementei recentemente uma área de comentárionomeu sitee tentei obter anotificação dee-mailparatrabalhar.Nãoparece quererenviarnotificaçõespore-mail quandonovos comentários sãofeitos.
Apenaspara ver se o PHPpodeenviare-mails,tentei redefinir a senha (porque você receberá umanova senhapor correio),e recebi amensagem:
Eu verifiquei as caixas de seleçãonas configurações -> Discussão,e oemail é válido,porissonão é umproblema de configuração.Eutentei criar um arquivo PHPe enviar usando
mail()
e enviado com sucesso.Então deve haver algoestranho acontecendo com o WordPress.Algumaidéia?