gpt4 book ai didi

ios - 如何向 Firebase 函数发送 post 请求?

转载 作者:可可西里 更新时间:2023-11-01 01:55:14 26 4
gpt4 key购买 nike

我创建了一个 Firebase 函数来通过 PayPal 向司机付款。

来自 firebase 函数的 index.js

'use strict';
const functions = require('firebase-functions');
const paypal = require('paypal-rest-sdk');
const admin = require('firebase-admin');
admin.initializeApp(functions.config().firebase);

paypal.configure({
mode: 'sandbox',
client_id: functions.config().paypal.client_id,
client_secret: functions.config().paypal.client_secret
})

exports.newRequest = functions.database.ref('/history/{pushId}').onCreate((snapshot, context) => {
var requestSnapshot = snapshot.val();
var price = snapshot.child('price').val();
var pushId = context.params.pushId;

return snapshot.ref.parent.child(pushId).child('price').set(price);
});


function getPayoutsPending(uid) {
return admin.database().ref('Users/Drivers/' + uid + '/history').once('value').then((snap) => {
if(snap === null){
throw new Error("profile doesn't exist");
}
var array = [];
if(snap.hasChildren()){
snap.forEach(element => {
if (element.val() === true) {
array.push(element.key);
}
});
}
return array;
}).catch((error) => {
return console.error(error);
});
}

function getPayoutsAmount(array) {
return admin.database().ref('history').once('value').then((snap) => {
var value = 0.0;
if(snap.hasChildren()){
snap.forEach(element => {
if(array.indexOf(element.key) > -1) {
if(element.child('price').val() !== null){
value += element.child('price').val();
}
}
});
return value;
}
return value;
}).catch((error) => {
return console.error(error);
});
}

function updatePaymentsPending(uid, paymentId) {
return admin.database().ref('Users/Drivers/' + uid + '/history').once('value').then((snap) => {
if(snap === null){
throw new Error("profile doesn't exist");
}

if(snap.hasChildren()){
snap.forEach(element => {
if(element.val() === true) {
admin.database().ref('Users/Drivers/' + uid + '/history/' + element.key).set( {
timestamp: admin.database.ServerValue.TIMESTAMP,
paymentId: paymentId
});
admin.database().ref('history/' + element.key + '/driverPaidOut').set(true);
}
});
}
return null;
}).catch((error) => {
return console.error(error);
});
}

exports.payout = functions.https.onRequest((request, response) => {
return getPayoutsPending(request.body.uid)
.then(array => getPayoutsAmount(array))
.then(value => {
var valueTrunc = parseFloat(Math.round((value * 0.75) * 100) / 100).toFixed(2);
const sender_batch_id = Math.random().toString(36).substring(9);
const sync_mode = 'false';
const payReq = JSON.stringify({
sender_batch_header: {
sender_batch_id: sender_batch_id,
email_subject: "You have a payment"
},
items: [
{
recipient_type: "EMAIL",
amount: {
value: valueTrunc,
currency: "CAD"
},
receiver: request.body.email,
note: "Thank you.",
sender_item_id: "Payment"
}
]
});

return paypal.payout.create(payReq, sync_mode, (error, payout) => {
if (error) {
console.warn(error.response);
response.status('500').end();
throw error;
}
console.info("payout created");
console.info(payout);
return updatePaymentsPending(request.body.uid, sender_batch_id)
});
}).then(() => {
response.status('200').end();
return null;
}).catch(error => {
console.error(error);
});
});

我在 Android 中使用的代码工作正常,但我在 iOS 中使用的代码无法正常工作。

IOS 中的代码,根据 index.js 文件,将司机的电子邮件放入文本字​​段并按下支付按钮后,它执行以下操作:

  • 它为用户/司机和用户/骑手添加支付 ID 和时间戳
  • 它将“driverPaidOut = true”添加到历史数据库
  • 它在 firebase 函数中创建并记录“支付已创建”

但它没有做的是将它发送到 PayPal 并创建一个通知到司机的电子邮件。

如您所见,index.js 文件需要两个变量:驱动程序的“uid”和“email”

有效的 Android 代码:

final OkHttpClient client = new OkHttpClient();

// in json - we need variables for the hardcoded uid and Email
JSONObject postData = new JSONObject();

try {
postData.put("uid", FirebaseAuth.getInstance().getCurrentUser().getUid());
postData.put("email", mPayoutEmail.getText().toString());

} catch (JSONException e) {
e.printStackTrace();
}

// Request body ...
RequestBody body = RequestBody.create(MEDIA_TYPE, postData.toString());

// Build Request ...
final Request request = new Request.Builder()
.url("https://us-central1-ryyde-sj.cloudfunctions.net/payout")
.post(body)
.addHeader("Content-Type", "application/json")
.addHeader("cache-control", "no-cache")
.addHeader("Authorization", "Your Token")
.build();

client.newCall(request).enqueue(new Callback() {
@Override
public void onFailure(Call call, IOException e) {
// something went wrong right off the bat
progress.dismiss();
}

@Override
public void onResponse(Call call, Response response) throws IOException {
// response successful ....
// refers to response.status('200') or ('500')
int responseCode = response.code();
if (response.isSuccessful()) {
switch(responseCode) {
case 200:
Snackbar.make(findViewById(R.id.layout),
"Payout Successful!", Snackbar.LENGTH_LONG)
.show();
break;

case 500:
Snackbar.make(findViewById(R.id.layout),
"Error: no payout available", Snackbar
.LENGTH_LONG).show();
break;

default:
Snackbar.make(findViewById(R.id.layout),
"Error: couldn't complete the transaction",
Snackbar.LENGTH_LONG).show();
break;
}

} else {
Snackbar.make(findViewById(R.id.layout),
"Error: couldn't complete the transaction",
Snackbar.LENGTH_LONG).show();
}

progress.dismiss();
}
});

iOS 代码,无法运行:

let email = txtPayoutEmail.text!
let userId = self.uid!

let parameters = "uid=\(userId)&email=\(email)"
let url = "https://us-central1-ryyde-sj.cloudfunctions.net/payout"
var request = URLRequest(url: URL(string: url)!)

request.setValue("application/json", forHTTPHeaderField: "Content-Type")
request.setValue("Your Token", forHTTPHeaderField: "Authorization")
request.setValue("no-cache", forHTTPHeaderField: "cache-control")

request.httpMethod = "POST"
print("URL : \(request)")

request.httpBody = parameters.data(using: .utf8)

let task = URLSession.shared.dataTask(with: request) { data, response, error in
guard let data = data, error == nil else { return }

if let httpStatus = response as? HTTPURLResponse, httpStatus.statusCode != 200 { // check for http errors
print("statusCode should be 200, but is \(httpStatus.statusCode)")
}

do {
let response = try JSONSerialization.jsonObject(with: data, options: []) as? [String:AnyObject]
print(response!)

} catch let error as NSError {
print(error)
}
}

task.resume()

我已经在网上尝试了不同的(几乎是网络上的每一个)示例,无论是否是 Alamofire,但似乎没有任何效果。

编辑 - Sahil Manchanda 的回复

获取httpResponse:

Optional(<NSHTTPURLResponse: 0x600000132620> { URL: https://us-central1-ryyde-sj.cloudfunctions.net/payout } { Status Code: 200, Headers {
"Content-Length" = (
0
);
"Content-Type" = (
"text/html"
);
Date = (
"Mon, 17 Dec 2018 07:44:57 GMT"
);
Server = (
"Google Frontend"
);
"alt-svc" = (
"quic=\":443\"; ma=2592000; v=\"44,43,39,35\""
);
"function-execution-id" = (
wspeunpt1umy
);
"x-cloud-trace-context" = (
"a2444e17fb874853489b56684de9fe10;o=1"
);
"x-powered-by" = (
Express
);
} })

编辑 #2 - 仍然无效

Sahil Manchanda 非常有帮助,但不是 Firebase 后端方面的专家。

在代码中做了一些修改后,调试了 index.js,由于某种原因,它在服务器端无法正常工作。

我的新代码:

let email = txtPayoutEmail.text!

let headers = [
"Content-Type": "application/json",
"cache-control": "no-cache",
"Authorization" : "Bearer \(token)"
]

let body = ["uid": uid, "email": email]

let postData = try! JSONSerialization.data(withJSONObject: body, options: [])


let request = NSMutableURLRequest(url: NSURL(string: "https://us-central1-ryyde-sj.cloudfunctions.net/payout")! as URL, cachePolicy: .useProtocolCachePolicy, timeoutInterval: 10.0)

request.httpMethod = "POST"
request.allHTTPHeaderFields = headers
request.httpBody = postData as Data

let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
if (error != nil) {
print(error!)
} else {
let httpResponse = response as? HTTPURLResponse
print(httpResponse!)
}
})

dataTask.resume()

当运行应用程序时,这是在 Firebase 函数中看到的,看起来不错,但没有像在 Android 应用程序中那样访问 PayPal?

result

最佳答案

您缺少的主要内容是 iOS 代码中的 JSON 字符串。在 Android 中,您使用的是 JSONObject,然后将其转换为 String。而在您的 iOS 中,缺少此转换。试试下面的代码。看看它是否工作。我做了一些调整,应该可以满足您的需要。

import Foundation

let headers = [
"Content-Type": "application/json",
"Cache-Control": "no-cache",
"Authorization" : "your token"
]
let parameters = [
"email": "abc@abc.com",
"uid": "12"
] as [String : Any]

let postData = JSONSerialization.data(withJSONObject: parameters, options: [])

let request = NSMutableURLRequest(url: NSURL(string: "https://us-central1-ryyde-sj.cloudfunctions.net/payout")! as URL,
cachePolicy: .useProtocolCachePolicy,
timeoutInterval: 10.0)
request.httpMethod = "POST"
request.allHTTPHeaderFields = headers
request.httpBody = postData as Data

let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
if (error != nil) {
print(error)
} else {
let httpResponse = response as? HTTPURLResponse
print(httpResponse)
}
})

dataTask.resume()

关于ios - 如何向 Firebase 函数发送 post 请求?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/53810050/

26 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com