我无法从query.find()。then(function(results)获取数据,它似乎只是本地的

时间:2019-07-10 11:35:05

标签: javascript react-native parse-platform

我无法获取flatListData,因为它似乎只是本地的 我可以在query.find()。then(function(results) 在外面,我什么也没有!

我尝试通过Async / Await尝试执行此操作,但不起作用

const W = Parse.Object.extend("W");
const query = new Parse.Query(W);
var flatListData = [];

query.find().then(function(results) {
for (var i=0; i < results.length; i++){
flatListData.push(String(results[i].get("AlphabetCode")));
}

  alert(flatListData) //{"a" , "b" , "s" , "w"}

 });

 alert(flatListData) // Nothing! 
module.exports = flatListData;

1 个答案:

答案 0 :(得分:1)

这里的问题是,您试图创建异步导出语句,这是严格禁止的。

首先,是的,flatListData全局的,而不是本地范围的。您面临的实际问题是,虽然将查询结果有效地提供给了变量,但完成异步功能需要花费一些时间。当您在第二个alert()module.exports中调用变量时,异步查询尚未完成,因此未分配新值,并且最终只发送了{{1} }赋予您外部脚本的价值。

现在,唯一可行的处理方法是强制undefined等待变量被赋值,这意味着要么在您的Promise(以及您的第一个module.exports)中定义它,或使用alert()语句。但是:

MDN Documentation

  

await运算符用于等待Promise。 只能在异步函数中使用

就这样。您唯一的退出路径是确定await的范围...完全禁止。您永远都不想将出口称为顶级(又称全球范围)。

重新定义问题

您的目标是导出对象中的内容集,以便在许多地方使用。

但是请记住,您不能异步导出任何内容。对于您来说,唯一的选择就是导出一个函数,并在需要值时调用它。

立即解决方案

getFlatListData.js或您所谓的

module.exports

现在,在您的外部脚本中:

main.js或其他

// Those are globally scoped. They will only be calculated on
// initialization, and not during outside import calls
const W = Parse.Object.extend("W");
const query = new Parse.Query(W);

// We wrap everything inside an async function, which will be exported
function getFlatListData() {
  // We return a promise, to allow outer calls to the result
  return new Promise(resolve => {
    // Also, avoid var. If you need a variable which isn’t constant, prefer let.
    let flatListData = [];

    // Prefer arrow functions here
    query.find().then(results => {
      // Works like your classic for(…) loop, but more efficient
      for(const result of results) {
        flatListData.push(String(result.get("AlphabetCode")));
      }

      // Resolve your function and send the result back
      resolve(flatListData);
    });
  });
}

module.exports = getFlatListData;

可以在此处进行很多改进,例如使用// Assuming you are using commonJS syntax const getFlatListData = require(‘path_to_your_script/getFlatListData’); [. . .] getFlatListData().then(result => { // Now you can use your FlatListData aliased as result }); // OR const myAsyncFunction = async() => { const myVariable = await getFlatListData(); // Use myVariable as you please now }; 函数来分配map(),或在您的承诺中添加flatListData以处理任何错误。但是你有了主要的想法。

从不进行异步导出,如果必须这样做,则意味着您需要重新考虑代码!