如何访问Express应用程序实例以在Probot应用程序中设置CORS来源?

问题描述

probot documentation提到我可以像在普通Express服务器中一样使用路由。

我想为这些路线设置CORS来源标头。在香草Express服务器中,我将使用cors软件包:

const cors = require('cors')

...

app.use(cors())

但是probot app没有功能use

module.exports = app => {
  app.use(cors(corsOptions));
// ...

导致错误

ERROR (event): app.use is not a function
    TypeError: app.use is not a function

如何设置CORS?

解决方法

您必须以编程方式启动该应用程序。这样,您可以在Probot加载后但Probot开始运行之前访问Express应用:

const cors = require("cors");
const bodyParser = require("body-parser");
const { Probot } = require("probot");
const { corsOptions } = require("./src/util/init-server.js");
const endpoint = require("./src/controller/endpoint");
const { handleWhatever } = require("./src/controller/controller");


// https://github.com/probot/probot/blob/master/src/index.ts#L33
const probot = new Probot({
  id: process.env.APP_ID,port: process.env.PORT,secret: process.env.WEBHOOK_SECRET,privateKey: process.env.PRIVATE_KEY,webhookProxy: process.env.WEBHOOK_PROXY_URL,});


const probotApp = app => {
  /** Post a comment on new issue */
  app.on("issues.opened",async context => {
    const params = context.issue({ body: "Hello World!" });
    return context.github.issues.createComment(params);
  });

  /** --- Express HTTP endpoints --- */
  const router = app.route("/api");
  router.use(cors(corsOptions)); // set CORS here
  router.use(bodyParser.json());
  router.use(bodyParser.urlencoded({ extended: true }));
  // router.set("trust proxy",true);
  // router.use(require('express').static('public')); // Use any middleware
  router.get("/ping",(req,res) => res.send("Guten Tag! " + new Date()));
  router.post(endpoint.handleWhatever,handleWhatever );
};


/** --- Initialize Express app by loading Probot --- */
probot.load(probotApp);

/* ############## Express instance ################ */
const app = probot.server;
const log = probot.log;
app.set("trust proxy",true);

/** --- Run Probot after setting everything up --- */
Probot.run(probotApp);

以下GitHub问题和文档可帮助我回答我的问题: