9

真的很难让这个工作。我在 Contentful 中有一个 webhook 定义设置。当我在 Contentful 中发布一个条目时,它会向 webhooks.example.com 发送一个 HTTP POST 请求。

在那个子域中,我运行了一个 NodeJS 服务器来接受请求。我查看了Contentful API docs,其中说请求正文应该包含新发布的条目。

我尝试了 2 种接收请求的方法,但都没有给我任何请求正文。首先我尝试了contentful-webhook-server NPM 模块:

var webhooks = require("contentful-webhook-server")({
  path: "/",
  username: "xxxxxx",
  password: "xxxxxx"
});

webhooks.on("ContentManagement.Entry.publish", function(req){
  console.log("An entry was published");
  console.log(req.body);
});

webhooks.listen(3025, function(){
  console.log("Contentful webhook server running on port " + 3025);
});

这里请求通过,我收到消息An entry was published,但req.body未定义。如果我这样做console.log(req),我可以看到完整的请求对象,其中不包括正文。

所以我然后尝试运行一个基本的 Express 服务器来接受所有 POST 请求:

var express = require("express"),
    bodyParser = require("body-parser"),
    methodOverride = require("method-override");

var app = express();
app.use(bodyParser.json({limit: "50mb"}));
app.use(bodyParser.urlencoded({extended:true}));
app.use(methodOverride("X-HTTP-Method-Override"));

app.post("/", function(req, res){
  console.log("Incoming request");
  console.log(req.body);
});

同样,我收到Incoming request消息但req.body为空。我知道这种方法是错误的,因为我没有使用我的 webhook 用户名/密码。

如何正确接收传入的 webhook 请求并获取正文内容?

4

2 回答 2

14

contentful-webhook-server不解析 req 以便解释为什么它不会在回调中将正文传递给您。

您的服务器似乎是正确的,但似乎 contentful 具有type-is库无法识别的自定义 json 类型。

内容类型看起来像 'application/vnd.contentful.management.v1+json'

如果您body-parser接受此自定义内容类型,您的服务器可能会工作。例如 :

app.use(bodyParser.json({type: 'application/*'}));

如果这可行,您可以更具体地了解接受的类型。

作为记录 :

typeis.is('application/vnd.contentful.management.v1+json', ['json'])
=> false
于 2015-06-02T15:17:39.590 回答
0

一个更简单的选择是修改自定义Content-Type,因为我们知道它实际上返回JSON. 把这个贴在上面的某个地方bodyParser

app.use(function(req, res, next) {     
    if (req.headers['content-type'] === 'application/vnd.contentful.management.v1+json') req.headers['content-type'] = 'application/json';
    next();
});
于 2016-05-17T11:58:40.273 回答