Android 步骤 3 节点服务器获取访问令牌进程付款
PayPal Developer Github 存储库中提供了此应用程序的完整示例代码(Android +节点服务器)。
从步骤 2 开始,已经在/fpstore
端点向我们的服务器发出异步请求,并传递身份验证代码和元数据 ID。我们现在需要为令牌交换这些令牌以完成请求并处理将来的付款。
首先,我们设置配置变量和对象。
var bodyParser = require('body-parser'),
http = require('http'),
paypal = require('paypal-rest-sdk'),
app = require('express')();
var client_id = 'YOUR APPLICATION CLIENT ID';
var secret = 'YOUR APPLICATION SECRET';
paypal.configure({
'mode': 'sandbox',
'client_id': client_id,
'client_secret': secret
});
app.use(bodyParser.urlencoded({ extended: false }))
app.use(bodyParser.json());
现在我们设置一条 Express 路由,它将监听从 Android 代码发送到/fpstore
端点的 POST 请求。
我们在这条路线上做了很多事情:
- 我们从 POST 正文中捕获身份验证代码和元数据 ID。
- 然后我们向
generateToken()
发出请求,通过代码对象。如果成功,我们将获得可用于创建付款的令牌。 - 接下来,为将来的付款创建配置对象,并发送对
payment.create(...)
的请求,传递未来的付款和付款配置对象。这会产生未来的付款。
app.post('/fpstore', function(req, res){
var code = {'authorization_code': req.body.code};
var metadata_id = req.body.metadataId;
//generate token from provided code
paypal.generateToken(code, function (error, refresh_token) {
if (error) {
console.log(error);
console.log(error.response);
} else {
//create future payments config
var fp_config = {'client_metadata_id': metadata_id, 'refresh_token': refresh_token};
//payment details
var payment_config = {
"intent": "sale",
"payer": {
"payment_method": "paypal"
},
"transactions": [{
"amount": {
"currency": "USD",
"total": "3.50"
},
"description": "Mesozoic era monster toy"
}]
};
//process future payment
paypal.payment.create(payment_config, fp_config, function (error, payment) {
if (error) {
console.log(error.response);
throw error;
} else {
console.log("Create Payment Response");
console.log(payment);
//send payment object back to mobile
res.send(JSON.stringify(payment));
}
});
}
});
});
最后,我们创建服务器以侦听端口 3000。
//create server
http.createServer(app).listen(3000, function () {
console.log('Server started: Listening on port 3000');
});