基于自定义字段值的不同 WooCommerce 电子邮件标头

问题描述 投票:0回答:1

我正在尝试根据订单自定义字段“送货类型”更改我的电子邮件标题,以帮助商店员工确定订单是送货还是取货,他们希望电子邮件标题采用颜色编码。

这里有几个有用的帖子解释了如何解除 WooCommerce 电子邮件标头的绑定,然后有效地在每个电子邮件模板中手动添加对 email-header.php 模板的调用(新订单、处理等)或使用 switch 语句来应用基于电子邮件类型的新标头。

我正在尝试根据一些自定义订单元数据自定义

email-header.php
模板,以用于新订单电子邮件通知。

目前我正在

admin-new-order.php
模板中执行此操作,但由于您必须全局取消设置/取消绑定标头,因此您必须为每种邮件类型/模板手动添加对
email-header.php
模板的调用。

基于 Woocommerce 每种电子邮件类型的不同标头答案代码,这是我的代码尝试:

add_action( 'init', 'replace_email_header_hook' );

function replace_email_header_hook(){
    remove_action( 'woocommerce_email_header', array( WC()->mailer(), 'email_header' ) );
    add_action( 'woocommerce_email_header', 'woocommerce_email_header', 10, 2 );
}

function woocommerce_email_header( $email_heading, $email ) {

    $order = $email->object;

    $order_id = method_exists( $order, 'get_id' ) ? $order->get_id() : $order->id;

    $del_type = get_post_meta( $order_id, 'delivery_type', true );

    switch($email->id) {
    case 'new_order':
        if ($del_type == 'delivery') {

            $template = 'emails/email-header-alt.php';

        }

        else if ($del_type == 'pickup') {


                $template = 'emails/email-header.php';


            }
        break;
    default:
        $template = 'emails/email-header.php';
    }
    wc_get_template( $template, array( 'email_heading' => $email_heading ) );
}

当尝试从该钩子内的 Order 对象获取它时,问题似乎与

$order_id
变量有关,我不确定这是否可能。

php templates woocommerce custom-fields email-notifications
1个回答
3
投票

代码中的主要错误是

else if
,应该是
elseif
,并且您应该以不同的方式重命名自定义函数
woocommerce_email_header

$email->object
没有问题,它是
WC_Order
对象。您可以使用
$email->object->get_id()
5(如果需要)获取订单 ID。

自 WooCommerce 3 起,您的代码也可以得到简化和优化。请尝试以下操作:

add_action( 'init', 'customizing_woocommerce_email_header' );
function customizing_woocommerce_email_header(){
    remove_action( 'woocommerce_email_header', array( WC()->mailer(), 'email_header' ) );
    add_action( 'woocommerce_email_header', 'custom_email_header', 10, 2 );
}

function custom_email_header( $email_heading, $email ) {
    $template = 'email-header.php'; // Default template

    if ( 'new_order' === $email->id && 'delivery' === $email->object->get_meta( 'delivery_type' ) ) {
        $template = 'email-header-alt.php'; // Custom template
    }
    wc_get_template( 'emails/'.$template, array( 'email_heading' => $email_heading ) );
}

代码位于活动子主题(或活动主题)的functions.php 文件中。已测试并有效。

© www.soinside.com 2019 - 2024. All rights reserved.