json - Dart json.encode 未按照 Firebase 函数的需要进行编码

标签 json dart google-cloud-functions

我已经研究这个问题有一段时间了,但我似乎无法弄清楚问题到底是什么。在 Dart(2) 中,json.encode() 似乎没有给我我想要的结果。

我传入的 Map<String, dynamic> 如下所示:

_data = <String, dynamic>{
    'uid': newProfileCreationModel.accountID,
    'displayName': newProfileCreationModel.profileName,
    'greeting': newProfileCreationModel.profileBody ?? '',
    'avatarSrc': newProfileCreationModel.avatarSrc,
    'heroSrc': newProfileCreationModel.heroSrc,
    'accountType': newProfileCreationModel.accountType,
    'cityID': newProfileCreationModel.cityID,
    'cityName': newProfileCreationModel.cityName,
    'country': newProfileCreationModel.countryCode,
    'state': newProfileCreationModel.stateAbv,
  };

并使用它将其转换为 JSON

final String _jsonData = json.encode(_data);

然后我通过以下方式将其发送到谷歌云功能。

final Uri _uri = Uri.parse(functionUrl);
final String _jsonData = json.encode(_data);
final String _userToken = await AuthenticationService.getUserToken();

HttpClient client = new HttpClient();
HttpClientRequest request = await client.postUrl(_uri);
request.headers.set('Authorization', 'Bearer ' + _userToken);
request.headers.set('Content-Type', 'application/json; charset=utf-8');
print('Encoded: ' + _jsonData);
request.write(_jsonData);

HttpClientResponse response = await request.close();
if(response.statusCode != HttpStatus.OK){ ...

我打印编码字符串的行将其输出到控制台:

05-04 18:52:57.902 26146-26200/com.app.name I/flutter: Encoded: {"uid":'123456789',"displayName":"James","greeting":"My Greetings!","avatarSrc":"http://cdn.free.com/someImage.jpg","heroSrc":"http://cdn.free.com/someImage.jpg","accountType":"per","cityID":1,"cityName":"Eugene","country":"US","state":"OR"}

但是 request.write(_jsonData) 失败,并显示以下 Firebase 控制台日志错误 请求正文缺少数据 响应如下所示

Firebase 控制台日志。

Request body is missing data.  { 
    uid: '123456789',
    displayName: 'James',
    greeting: 'My Greetings!',
    avatarSrc: 'http://cdn.free.com/someImage.jpg',
    heroSrc: 'http://cdn.free.com/someImage.jpg',   accountType: 'per',   
    cityID: 1,
    cityName: 'Eugene',   
    country: 'US',
    state: 'OR' 
}


Invalid request IncomingMessage {
  _readableState: 
   ReadableState {
     objectMode: false,
     highWaterMark: 16384,
     buffer: BufferList { head: null, tail: null, length: 0 },
     length: 0,
     pipes: null,
     pipesCount: 0,
     flowing: true,
     ended: true,
     endEmitted: true,
     reading: false,
     sync: false,
     needReadable: false,
     emittedReadable: false,
     readableListening: false,
     resumeScheduled: false,
     defaultEncoding: 'utf8',
     ranOut: false,
     awaitDrain: 0,
     readingMore: false,
     decoder: null,
     encoding: null },
  readable: false,
  domain: null,
  _events: {},
  _eventsCount: 0,
  _maxListeners: undefined,
  socket: 
   Socket {
     connecting: false,
     _hadError: false,
     _handle: 
      TCP {
        bytesRead: 13285,
        _externalStream: {},
        fd: 14,
        reading: true,
        owner: [Circular],
        onread: [Function: onread],
        onconnection: null,
        writeQueueSize: 0,
        _consumed: true },
     _parent: null,
     _host: null,

有趣的是,数据正在通过,正如 Firebase 控制台日志中清楚显示的那样,但它不会将其识别为正文。

原始数据方法

当我尝试通过 request.write() 发送原始 JSON 对象时

request.write({'hello':'universe'});

我在 firebase 控制台中收到完全不同类型的错误。

SyntaxError: Unexpected token h in JSON at position 1
    at Object.parse (native)
    at parse (/var/tmp/worker/node_modules/body-parser/lib/types/json.js:84:17)
    at /var/tmp/worker/node_modules/body-parser/lib/read.js:102:18
    at IncomingMessage.onEnd (/var/tmp/worker/node_modules/raw-body/index.js:149:7)
    at IncomingMessage.g (events.js:292:16)
    at emitNone (events.js:86:13)
    at IncomingMessage.emit (events.js:185:7)
    at endReadableNT (_stream_readable.js:974:12)
    at _combinedTickCallback (internal/process/next_tick.js:80:11)
    at process._tickDomainCallback (internal/process/next_tick.js:128:9)

在 firebase 端,我正在使用一个使用可调用函数的函数,这是记录 firebase 控制台日志的地方

export const finalizeProfile = functions.https.onCall((data, context) => { 
    //CODE 
});

有人能够发现我可能做错了什么吗?

最佳答案

解决方案隐藏在众目睽睽之下。该问题与缺失字段有关。对于 Firebase Cloud Functions,错误消息 body is Missing data 中提到的内容“body”,字面意思是它需要一个名为 data 的键,其中包含以下对象您正在传递的数据。

谷歌文档对此并不是很清楚,因为他们缺少一个示例 https://firebase.google.com/docs/functions/callable-reference#request_body

这是数据必须发送到functions.https.onCall()的方式,请注意数据字段与不包含此内容的原始问题相比:

{
   "data":{ 
      "uid":"123456789",
      "displayName":"James",
      "greeting":"My Greeting!",
      "avatarSrc":"http://cdn.free.com/someImage.jpg",
      "heroSrc":"http://cdn.free.com/someImage.jpg",
      "accountType":"per",
      "cityID":1,
      "cityName":"Eugene",
      "country":"OR",
      "state":"AL"
   }
}

现在可以运行的结果代码如下所示:

// Helper function to format any map to be used for Firebase
Map prepMapForFirebaseJSON(Map<String, dynamic> mapData){
    Map<String, Map<String, dynamic>> _fireJson = {
      'data' : mapData
    };
    return _fireJson;
}

// Process HTTP request
final Uri _uri = Uri.parse(functionUrl);
final String _jsonData = json.encode(prepMapForFirebaseJSON(mapData));
final String _userToken = await AuthenticationService.getUserToken();

HttpClient client = new HttpClient();
HttpClientRequest request = await client.postUrl(_uri);
request.headers.set('Authorization', 'Bearer ' + _userToken);
request.headers.set('Content-Type', 'application/json; charset=utf-8');
request.write(_jsonData);
request.close();

关于json - Dart json.encode 未按照 Firebase 函数的需要进行编码,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/50181995/

相关文章:

javascript - 如何转换为 json 特定类 c# ?我有错误

python - 文本差异 JSON

Flutter:如何在文本字段文本中间插入文本

google-cloud-platform - 来自 "gsutil cp"的结果总是在标准错误中,而不是标准输出中

javascript - 使用 fabricjs 从 json 到图像

javascript - JSON - 根据 json 的索引显示数据

dart - 来自 Dart 的 Google 文件选择器

angularjs - Angular Dart中的路由和构造函数

Android Firebase 在用户之间实现FCM(firebase cloud messaging)的步骤(user to user communication)

google-cloud-platform - 我无法让 google cloud functions gen 2 仅处理来自 API 网关后面的授权请求