4

WooCommerce でカスタム メールを送信する際に問題が発生しています。

エラーは次のとおりです。

致命的なエラー:
行 548 の /home/wp-content/themes/structure/functions.phpの配列としてタイプ WC_Order のオブジェクトを使用できません

私のクライアントは、標準の注文確認メールに加えて、顧客が注文して支払うたびにカスタムメールを送信したいと考えています。

これが私のコードです:

$order = new WC_Order( $order_id );

function order_completed( $order_id ) {
    $order = new WC_Order( $order_id );
    $to_email = $order["billing_address"];
    $headers = 'From: Your Name <your@email.com>' . "\r\n";
    wp_mail($to_email, 'subject', 'This is custom email', $headers );

}

add_action( 'woocommerce_payment_complete', 'order_completed' )

"woocommerce_thankyou"代わりにフックも試しまし"woocommerce_payment_complete"たが、まだ機能していません。

私が使用しているWordpressのバージョンは4.5.2で、WooCommerceのバージョンは2.6.1です。

4

2 に答える 2

2

問題がある可能性があります: … したがって、 wordpress 関数を$order->billing_address;使用して現在のユーザーの電子メール(請求または配送ではなく)を取得する別のアプローチを使用できます。wp_get_current_user();次に、コードは次のようになります。

add_action( 'woocommerce_payment_complete', 'order_completed_custom_email_notification' )
function order_completed_custom_email_notification( $order_id ) {
    $current_user = wp_get_current_user();
    $user_email = $current_user->user_email;
    $to = sanitize_email( $user_email );
    $headers = 'From: Your Name <your@email.com>' . "\r\n";
    wp_mail($to, 'subject', 'This is custom email', $headers );
}

wp_mail()次のように、関数を置き換える前に$user_emailメールでテストできます。

wp_mail('your.mail@your-domain.tld', 'subject', 'This is custom email', $headers );

メールを受け取った場合、問題は からのもの$to_email = $order->billing_address;でした。(フック
でも試してみてくださいwoocommerce_thankyou) .

最後に、コンピューターの localhost ではなく、ホストされたサーバーでこれらすべてをテストする必要があります。ほとんどの場合、localhost でのメール送信は機能しません…</p>

于 2016-06-18T02:35:09.813 に答える
1

致命的なエラー: 行 548 の /home/wp-content/themes/structure/functions.php の配列としてタイプ WC_Order のオブジェクトを使用できません

これは がオブジェクトであることを意味し、配列表記の代わりに$objectなどのオブジェクト表記を使用する必要があります。請求先住所オブジェクトのプロパティは、クラスのマジック メソッドによって呼び出されると定義されます。これは、上記の LoicTheAztec のアプローチとそれほど違いはありません。$object->billing_address$object['billing_address']__get()WC_Order

function order_completed( $order_id ) {
    $order = wc_get_order( $order_id );
    $to_email = $order->billing_address;
    $headers = 'From: Your Name <your@email.com>' . "\r\n";
    wp_mail($to_email, 'subject', 'This is custom email', $headers );
}
add_action( 'woocommerce_payment_complete', 'order_completed' );
于 2016-06-18T05:00:57.240 に答える