2

我可以从 Node.js 发出带有 Authorization 标头的 GET 请求,curl但不能来自Node.jsrequesthttps在 Node.js 中。服务器使用 curl 返回状态 200,但使用requestor返回 500 https。呼叫可能来自requesthttps不同curl?服务器如何以不同的方式读取它们?

以下 cURL 从命令行成功:

curl -H "Authorization:  Bearer abc123def456" https://api.domain.com/path/to/resource

但是相同的请求在 Node 中使用 request.js 失败

var options = {
  type: 'get',
  url: "https://api.domain.com/path/to/resource",
  headers: {
     "Authorization": " Bearer abc123def456" 
  }
}
request(options, function (err, response, body) {
  assert.equal(response.statusCode, 200) ; // 500 internal error
})

使用该auth选项的 request.js 也会失败:

var options = {
  type: 'get',
  url: "https://api.domain.com/path/to/resource",
  auth: {
    "bearer": "abc123def456" 
  }
}
request(options, function (err, response, body) {
  assert.equal(response.statusCode, 200) ; // 500 internal error
})

https不使用时也会失败request.js

var options = {
  host: 'api.domain.com',
  port: 443,
  path: '/path/to/info',
  method: 'GET',
  headers: {
    "Authorization": " Bearer abc123def456"
  }
}
var req = https.request(options, function (res) {
  res.setEncoding('utf8');
  res.on('end', function () {
    assert.equal(res.statusCode, 200) // 500 internal error
  })
});

req.on('error', function (e) {
  console.log('problem with request: ' + e.message);
});

req.end();

但是如果从 Node 中退出,curl 请求会成功:

exec("curl -H "Authorization:  Bearer abc123def456" https://api.domain.com/path/to/resource", function (error, stdout, stderr) {
  var obj = JSON.parse(stdout) // successfully retrieved and parsed
});

request-debug提供以下信息:

{ request: 
   { debugId: 1,
     uri: 'https://api.domain.com/path/to/resource',
     method: 'GET',
     headers: 
      { host: 'api.domain.com',
        authorization: 'Bearer abc123def456' } } }
4

1 回答 1

2

500 internal error一般表示服务器端有错误。因此,理想情况下,您应该查看服务器日志。

但是,如果您无权访问这些日志,请查看您尝试的每个选项发送的请求之间的差异:

模块:请求(带有手动指定的身份验证标头):

GET /path/to/resource HTTP/1.1
Authorization:  Bearer abc123def456
host: api.domain.com

模块:请求(具有明确指定的身份验证标头):

GET /path/to/resource HTTP/1.1
host: api.domain.com
authorization: Bearer abc123def456

模块:HTTP(带有手动指定的身份验证标头):

GET /path/to/info HTTP/1.1
Authorization:  Bearer abc123def456
Host: api.domain.com

卷曲:

GET /path/to/resource HTTP/1.1
Host: api.domain.com
User-Agent: curl/7.51.0
Accept: */*
Authorization:  Bearer abc123def456

很明显,其余模块不发送HTTP 标头“User-Agent”和“Accept”。因此,可能是在服务器上运行的应用程序尝试解析其中至少一个并失败。

于 2017-04-10T05:16:12.960 回答