如何定义 returns Promise 到 Express Route 函数的函数?

How to define a function which returns Promise to a Express Route function?

我有一个名为 "db_location" 的业务级数据库模块,它使用 node-fetch 模块通过 REST API.

从远程服务器获取一些数据
**db_location.js** DB LOGIC

const p_conf = require('../parse_config');

const db_location = {
    getLocations: function() {

        fetch(`${p_conf.SERVER_URL}/parse` + '/classes/GCUR_LOCATION', { method: 'GET', headers: {
            'X-Parse-Application-Id': 'APPLICATION_ID',
            'X-Parse-REST-API-Key': 'restAPIKey'
        }})
        .then( res1 => {
            //console.log("res1.json(): " + res1.json());
            return res1;
        })
        .catch((error) => {
            console.log(error);
            return Promise.reject(new Error(error));
        })
    }

};

module.exports = db_location

我需要在 Route 函数中调用此函数,以便将数据库处理与控制器分开。

**locations.js** ROUTE

var path = require('path');
var express = require('express');
var fetch = require('node-fetch');
var router = express.Router();

const db_location = require('../db/db_location');

/* GET route root page. */
router.get('/', function(req, res, next) {

  db_location.getLocations()
  .then(res1 => res1.json())
  .then(json => res.send(json["results"]))
  .catch((err) => {
    console.log(err);
    return next(err);
  })
});

当我运行http://localhost:3000/locations时,我收到以下错误。

Cannot read property 'then' of undefined

TypeError: Cannot read property 'then' of undefined

Promise 似乎是空的,或者从一个 response 对象到另一个对象的 Promise 链有问题?解决这种情况的最佳做法是什么?

编辑 1

如果我将 getLocations 更改为 return res1.json()(根据 node-fetch 文档,我认为这是一个非空的 Promise):

fetch(`${p_conf.SERVER_URL}/parse` + '/classes/GCUR_LOCATION', { method: 'GET', headers: {
        'X-Parse-Application-Id': 'APPLICATION_ID',
        'X-Parse-REST-API-Key': 'restAPIKey'
    }})
    .then(  res1 => {
       return res1.json();     // Not empty as it can be logged to `Promise Object`
    })
    .catch((error) => {
        console.log(error);
        return Promise.reject(new Error(error));
    })

路由代码更改为:

db_location.getLocations()
  .then(json => res.send(json["results"]))
  .catch((err) => {
    console.log(err);
    return next(err);
  })

引发了完全相同的错误。

你的函数没有return任何东西。

如果你想使用承诺,你需要return它。

你需要getLocationsreturn一个Promise。目前,它是 运行 一个 fetch,但是 fetch 没有连接到任何其他东西,而 getLocations 是 returning undefined(当然你不能在 uundefined 上调用 .then

改为:

const db_location = {
  getLocations: function() {
    return fetch( ...

此外,由于您在 getLocations catch 块中没有做任何特殊的事情,您可以考虑完全省略它并让 caller 处理它。