在PHP中执行Curl以执行Stripe订阅

Sta*_*nge 5 php curl stripe-payments

Stripe API允许进行Curl调用.例如,命令:

curl https://api.stripe.com//v1/customers/cus_5ucsCmNxF3jsSY/subscriptions    -u sk_test_REDACTED:
Run Code Online (Sandbox Code Playgroud)

返回客户cus_5ucsCmNxF3jsSY的订阅.

如何使用PHP来调用此curl命令(我试图避免使用PHP Stripe库).

我正在尝试以下方法:

<?php 
        // create curl resource 
        $ch = curl_init(); 

        // set url 
        curl_setopt($ch, CURLOPT_URL, "https://api.stripe.com//v1/customers/cus_5ucsCmNxF3jsSY/subscriptions    -u sk_test_REDACTED:"); 

        //return the transfer as a string 
        curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1); 

        // $output contains the output string 
        $output = curl_exec($ch); 
        print($output);

        // close curl resource to free up system resources 
        curl_close($ch);      
?>
Run Code Online (Sandbox Code Playgroud)

但是,似乎curl不接受URL的-u参数.我收到以下错误:

{ "error": { "type": "invalid_request_error", "message": "You did not provide an API key. You need to provide your API key in the Authorization header, using Bearer auth (e.g. 'Authorization: Bearer YOUR_SECRET_KEY'). See https://stripe.com/docs/api#authentication for details, or we can help at https://support.stripe.com/." } 
Run Code Online (Sandbox Code Playgroud)

如何将-u sk_test_REDACTED:参数传递给我的curl调用?

小智 13

我遇到了同样的问题.我想使用PHP的CURL函数而不是使用官方条带API,因为单身人士让我感到恶心.

我编写了自己的非常简单的Stripe类,它通过PHP和CURL使用它们的API.

class Stripe {
    public $headers;
    public $url = 'https://api.stripe.com/v1/';
    public $fields = array();

    function __construct () {
        $this->headers = array('Authorization: Bearer '.STRIPE_API_KEY); // STRIPE_API_KEY = your stripe api key
    }

    function call () {
        $ch = curl_init();
        curl_setopt($ch, CURLOPT_HTTPHEADER, $this->headers);
        curl_setopt($ch, CURLOPT_URL, $this->url);
        curl_setopt($ch, CURLOPT_POST, true);
        curl_setopt($ch, CURLOPT_POSTFIELDS, http_build_query($this->fields));
        curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
        curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, false);
        $output = curl_exec($ch);
        curl_close($ch);

        return json_decode($output, true); // return php array with api response
    }
}

// create customer and use email to identify them in stripe
$s = new Stripe();
$s->url .= 'customers';
$s->fields['email'] = $_POST['email'];
$customer = $s->call();

// create customer subscription with credit card and plan
$s = new Stripe();
$s->url .= 'customers/'.$customer['id'].'/subscriptions';
$s->fields['plan'] = $_POST['plan']; // name of the stripe plan i.e. my_stripe_plan
// credit card details
$s->fields['source'] = array(
    'object' => 'card',
    'exp_month' => $_POST['card_exp_month'],
    'exp_year' => $_POST['card_exp_year'],
    'number' => $_POST['card_number'],
    'cvc' => $_POST['card_cvc']
);
$subscription = $s->call();
Run Code Online (Sandbox Code Playgroud)

print_r如果要进一步操作数据,可以转储$ customer和$ subscription 以查看响应数组.