デフォルトの管理者Eメール通知用に複数のEメールアドレスにEメールを送信できるようにするためのフックはありますか?
私は私が配列を作ることができることを望んでいました:
$adminEmails = array('[email protected]', '[email protected]');
それからすべての管理者Eメール(新規ユーザー通知など)を$ adminEmailsに送信します。
可能?
これはwp_mail
関数をフィルタリングし、to
が管理Eメールに設定されているか確認し、もしそうなら追加のEメールアドレスを追加し、argsをwp_mail
に返すことで可能になります。
add_filter( 'wp_mail', 'my_custom_to_admin_emails' );
/**
* Filter WP_Mail Function to Add Multiple Admin Emails
*
*
*
* @param array $args A compacted array of wp_mail() arguments, including the "to" email,
* subject, message, headers, and attachments values.
*
* @return array
*/
function my_custom_to_admin_emails( $args ) {
// If to isn't set (who knows why it wouldn't) return args
if( ! isset($args['to']) || empty($args['to']) ) return $args;
// If TO is an array of emails, means it's probably not an admin email
if( is_array( $args['to'] ) ) return $args;
$admin_email = get_option( 'admin_email' );
// Check if admin email found in string, as TO could be formatted like 'Administrator <[email protected]>',
// and if we specifically check if it's just the email, we may miss some admin emails.
if( strpos( $args['to'], $admin_email ) !== FALSE ){
// Set the TO array key equal to the existing admin email, plus any additional emails
//
// All email addresses supplied to wp_mail() as the $to parameter must comply with RFC 2822. Some valid examples:
// [email protected]
// User <[email protected]>
$args['to'] = array( $args['to'], '[email protected]', 'Admin4 <[email protected]>' );
}
return $args;
}
wp_mail
が配列を処理し、電子メールを送信するために必要に応じてそれを展開するので、TOを配列として返します。
これが私の解決策です、それはupdate_option_ *フィルタを使用します、私はそれがここに行くための正しい方法であると信じています。これをプラグインやあなたのtheme functions.phpファイルに追加すれば、設定 - >一般の画面にコンマ区切りの管理者メールを安全に置くことができます。
add_filter('pre_update_option_admin_email','sanitize_multiple_emails',10,2);
function sanitize_multiple_emails($value,$oldValue)
{
//if anything is fishy, just trust wp to keep on as it would.
if(!isset($_POST["admin_email"]))
return $value;
$result = "";
$emails = explode(",",$_POST["admin_email"]);
foreach($emails as $email)
{
$email = trim($email);
$email = sanitize_email( $email );
//again, something wrong? let wp keep at it.
if(!is_email($email))
return $value;
$result .= $email.",";
}
if(strlen($result == ""))
return $value;
$result = substr($result,0,-1);
return $result;
}