可以将其放在WP Stack Exchange中,但是他们经常说,由于它具有PHP,因此应该放在SO中,因此永远不确定最好的位置。如果合适的话可以移动。
例如,要显示一个名为“ Fabrics”的自定义woocommerce产品属性,您可以执行以下操作。
$fabric_values = get_the_terms( $product->id, ‘pa_fabrics’); foreach ( $fabric_values as $fabric_value ) { echo $fabric_value->name; }
但是,有没有更短的方法,因为我们将在整个php模板中使用很多属性。
例如,有一种方法可以简单地完成:“ echo get_the_terms($ product-> id,'pa_fabrics');”
还是有一个功能可以添加到他们的网站,这样便可以像在非WooCommerce网站上使用“高级自定义字段”时那样,回显任何产品属性,就像上面的一条非常短的线一样?
更新
在SO上发现了该线程,该线程提供了一种创建单个短代码以相对容易地获取数据的方法。虽然这当然是一种选择,但还是想看看是否有通过以下方式构建的清洁器:
echo get_the_terms( $product->id, 'pa_fabrics');
要么
echo $product->get_attributes('pa_fabrics');
最后一个选项似乎是最干净,最理想的选择,但会导致错误:“致命错误:未捕获的错误:在添加代码的我的functions.php文件中,调用了成员函数get_attributes()上的null。
您的问题的答案取决于情况。考虑一下您需要的灵活性。
让我们从两个建议的示例中找出问题所在。
1) echo get_the_terms( . . .
使用函数时,重要的是要知道返回类型。get_the_terms()
成功时将返回一个数组。您需要对该数组进行某些操作才能显示它。
https://developer.wordpress.org/reference/functions/get_the_terms/
2) echo $product->get_attributes(...
您正在朝正确的方向前进:)您看到的错误告诉您,这$product
不是您期望的那样。get_attributes()
是WC_Product
该类的一种方法。您需要具有该类的实例才能使用它。
使用该产品的一种方法是使用wc_get_product()
。
$product = wc_get_product();
现在,您遇到的第二个问题是方法本身。get_attributes()
与一样get_the_terms()
,将返回一个数组。然后,您有责任显示该数据。
相反,我相信您正在寻找get_attribute()
。此方法将属性名称作为唯一参数,并返回属性值的字符串。
例:
// Get a product instance. I could pass in an ID here. // I'm leaving empty to get the current product. $product = wc_get_product(); // Output fabrics in a list separated by commas. echo $product->get_attribute( 'pa_fabrics' ); // Now that I have $product, I could output other attributes as well. echo $product->get_attribute( 'pa_colors' );