我正在编写一个脚本来批量更改产品属性,例如价格,重量和尺寸.我需要在安装了WordPress(4.7.2)和WooCommerce(2.6.13)的服务器上直接运行脚本.我可能想到的选择对我来说似乎并不理想:
> WooCommerce非REST API是我显而易见的选择,但它被降级为一个令人讨厌的legacy folder,它已被弃用.
> WooCommerce REST API(link)似乎过大:为什么我已经在服务器上并且只能使用PHP,为什么要通过身份验证并使用HTTP?
>由于WooCommerce产品属性之间的许多关系,通过update_post_meta()对数据库进行操作似乎容易出错并且难以维护;只需看一下here的逻辑量就可以改变一个产品的价格!
> WP-CLI可以工作,但是AFAIK不能像PHP脚本那样灵活;无论如何,从v3.0开始,版本为it is REST-powered,所以我想第2点也适用于此.
我觉得我缺少什么,请帮助我,否则我的大脑会爆炸:-D
解决方法:
事实证明,您可以在服务器上使用REST API,而无需验证或执行HTTP请求:您只需要构建WP_REST_Request对象并将其直接传递给API.
示例:显示产品
这是一个示例PHP脚本,它将使用REST API根据产品ID在产品上打印信息.该脚本应放置在WordPress文件夹中并在浏览器中执行;产品ID作为查询参数给出,例如:http://www.yourwebsite.com/script.php?id=123.
<?php
/* Load WordPress */
require('wp-load.php');
/* Extract the product ID from the query string */
$product_id = isset( $_GET['id'] ) ? $_GET['id'] : false;
if ( $product_id ) {
/* Create an API controller */
$api = new WC_REST_Products_Controller();
/* Build the request to create a new product */
$request = new WP_REST_Request ('POST', '', '');
$request['id'] = $product_id;
/* Execute the request */
$response = $api->get_item( $request );
/* Print to screen the response from the API.
The product information is in $response->data */
print_r( $response );
/* Also print to screen the product object as seen by WooCommerce */
print_r( wc_get_product( $product_id ) );
}
示例:创建产品
下一个脚本将创建一个新产品.产品的详细信息应直接在脚本的set_body_params()函数中输入.有关允许字段的列表,只需使用先前的脚本打印任何产品的数据即可.
/* Load WordPress */
require('wp-load.php');
/* Create an API controller */
$api = new WC_REST_Products_Controller();
/* Build the request to create a new product */
$request = new WP_REST_Request ('POST', '', '');
$request->set_body_params( array (
'name' => 'New Product',
'slug' => 'new-product',
'type' => 'simple',
'status' => 'publish',
'regular_price' => 60,
'sale_price' => 40,
));
/* Execute the request */
$response = $api->create_item( $request );
/* Print to screen the response from the API */
print_r( $response );
/* Also print to screen the product object as seen by WooCommerce */
print_r( wc_get_product( $response->data['id'] ) );
一些基本的安全措施
在您的网站上保留可执行的PHP脚本不是一个好主意.我宁愿将它们合并到插件中,并使它们只能由授权用户访问.为此,将以下代码放在脚本之前可能会很有用:
/* Load WordPress. Replace the /cms part in the path if
WordPress is installed in a folder of its own. */
try {
require($_SERVER['DOCUMENT_ROOT'] . '/cms/wp-load.php');
} catch (Exception $e) {
require($_SERVER['DOCUMENT_ROOT'] . '/wp-load.php');
}
/* Restrict usage of this script to admins */
if ( ! current_user_can('administrator') ) {
die;
}