解析云代码作业功能优化

时间:2021-02-24 22:26:07

标签: javascript parse-platform parse-cloud-code cron-task back4app

我有一份正在运行的云代码工作。当我手动运行作业时,它似乎有效。我认为调度在设置运行频率方面存在问题,所以我认为它与实际代码无关。也许我错了,但很好奇是否有更有效的方法来轮询我的解析类。我有一个应用程序,我试图在其中查找从 now() 开始的下一小时内即将到来的预订,如果有向该类中的用户发送推送通知。同样,这会运行,但我认为我可以优化我的查询以仅获取该时间范围内的项目,而不是更多具有特定状态的项目。

Parse.Cloud.job("updateReviews", async (request) => {

var resultCount = 0;

// Query all bookings with a status of confirmed
var query = new Parse.Query("bookings");
query.equalTo("status", "confirmed");
const results = await query.find({useMasterKey:true});

results.forEach(object => {

    var users = [];
    users.push(object.get("buyerId"));
    users.push(object.get("placeOwner"));

    var today = new moment();
    var hourFrom = moment().add(1, 'hours');
    var startTime = moment(object.get("startTime"));

    if (startTime.isBetween(today, hourFrom)) {
    
        console.log("BETWEEN THE TIMEFRAME");
        resultCount += 1;

        users.forEach(sendPush);

    } else {
        
        console.log("NOT BETWEEN THE TIME FRAME, PASS OVER");
    }
});


return ("Successfully sent " + resultCount + " new notifications!");

});

function sendPush(value, index, array) {

var pushType = "bookingConfirmed";

let query = new Parse.Query(Parse.Installation);
query.equalTo("userId", value);
return Parse.Push.send({
    where: query,
    data: {
        title: "New Booking Coming Up",
        alert: "You have a booking coming up soon!",
        pushType
    }
},{useMasterKey: true});

}

1 个答案:

答案 0 :(得分:0)

是的。它可能会好得多。我会尝试这样的事情:

Parse.Cloud.job('updateReviews', async () => {
  // Query all bookings with a status of confirmed
  const query = new Parse.Query('bookings');
  query.equalTo('status', 'confirmed');
  const now = new Date();
  query.greaterThanOrEqualTo('startTime', now);
  query.lessThanOrEqualTo('startTime', new Date(now.getTime() + 60 * 60 * 1000));
  const results = await query.find({ useMasterKey: true });

  const pushType = "bookingConfirmed";

  const pushQuery = new Parse.Query(Parse.Installation);
  pushQuery.containedIn("userId", results.map(result => result.get('buyerId')).concat(results.map(result => result.get('placeOwner'))));
  await Parse.Push.send({
    where: pushQuery,
    data: {
      title: 'New Booking Coming Up',
      alert: 'You have a booking coming up soon!',
      pushType
    }
  }, { useMasterKey: true });

  return (`Successfully sent ${results.length} new notifications!`);
});
相关问题