PHP WIX 的 CURL 语法

PHP CURL syntax for WIX

我正在使用 Wix 的 API 来查询产品。我在将他们的示例转换为 PHP 方面取得了进展,但对他们的过滤方法感到困惑。例如,这个基本查询:

    curl -X POST \
   'https://www.wixapis.com/stores/v1/products/query' \
    --data-binary '{
                     "includeVariants": true
                   }' \
   -H 'Content-Type: application/json' \
   -H 'Authorization: <AUTH>'enter code here

重写为时工作正常:

public function getProducts($code){
    $curl_postData = array(
        'includeVariants' => 'true'
    );
    $params = json_encode($curl_postData);
    $productsURL = 'https://www.wixapis.com/stores/v1/products/query';
    $ch = curl_init();
    curl_setopt($ch, CURLOPT_URL, $productsURL);
    curl_setopt($ch, CURLOPT_HEADER, false);
    $headers = [
    'Content-Type:application/json',
    'Authorization:' . $code
    ];
    curl_setopt($ch, CURLOPT_HTTPHEADER, $headers);
    curl_setopt($ch, CURLOPT_POST, true);
    curl_setopt($ch, CURLOPT_POSTFIELDS, '');
    curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
    $output = curl_exec($ch);
    $curlErr = curl_error($ch);
    curl_close($ch);
    return $output;
}

但是我无法过滤到特定的集合。这是他们的例子:

curl 'https://www.wixapis.com/stores/v1/products/query' \
--data-binary '{
                 "query": {
                   "filter": "{\"collections.id\": { \"$hasSome\": [\"32fd0b3a-2d38-2235-7754-78a3f819274a\"]} }"
                 }
               }' \
-H 'Content-Type: application/json' \
-H 'Authorization: <AUTH>'

这是我对它的解释($collection 是我用来替换 Wix 示例中的固定值的变量):

public function getProducts($code, $collection){
    $curl_postData = array(
        'filter' => array(
            'collections.id' => array(
                '$hasSome' => $collection
            )
        )
    );
    $params = json_encode($curl_postData);
    $productsURL = 'https://www.wixapis.com/stores/v1/products/query';
    $ch = curl_init();
    curl_setopt($ch, CURLOPT_URL, $productsURL);
    curl_setopt($ch, CURLOPT_HEADER, false);
    $headers = [
    'Content-Type:application/json',
    'Authorization:' . $code
    ];
    curl_setopt($ch, CURLOPT_HTTPHEADER, $headers);
    curl_setopt($ch, CURLOPT_POST, true);
    curl_setopt($ch, CURLOPT_POSTFIELDS, '');
    curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
    $output = curl_exec($ch);
    $curlErr = curl_error($ch);
    curl_close($ch);
    return $output;
}   

响应与第一个示例相同——我得到了所有产品而不是一个集合。问题几乎可以肯定是我对他们的例子的解释。我 认为 它应该是一个多维数组,但我可能读错了。如果有任何建议,我将不胜感激。

在第二个代码块中,filter属性的值不是一个对象,而是一个JSON编码的对象。我不确定为什么 API 需要这样做,但这意味着您必须在 PHP.

中使用嵌套的 json_encode()
    $curl_postData = array(
        'filter' => json_encode(array(
            'collections.id' => array(
                '$hasSome' => $collection
            )
        ))
    );

谢谢,巴尔马尔。您的回答是正确的,只是稍作改动。这是正确运行的最终代码段。

$curl_postData = array(
    'query' => array(
        'filter' => json_encode(array(
            'collections.id' => array(
                '$hasSome' => $collection
            )
        ))
    )
);