3

我有以下路线:

exports.index = function(req, res){
  res.render('index', { title: 'Express' });
};

我想调用以下 Web 服务:http ://ergast.com/api/f1/current/last/results并告诉它返回 JSON。

我在索引请求中尝试过这样的事情,但它错误:

var options = {
  host: 'ergast.com',
  port: 80,
  path:'/api/f1/current/last/results.json'
};

http.get(options, function(response) {
  response.setEncoding('utf-8');
  console.log("Got response: " + response.statusCode);
  var data = JSON.parse(response);
}).on('error', function(e) {
  console.log("Got error: " + e.message);
}).on('data', function (chunk) {
    console.log('BODY: ' + chunk);
  });

我猜我可能在某个地方漏掉了重点。

谢谢

4

2 回答 2

6

这应该很简单 :) 我建议您使用请求模块(npm 安装请求,或者只是将其添加到您的 packages.json 文件中)。

然后您可以执行以下操作:

var request = require("request");
request.get("http://ergast.com/api/f1/current/last/results.json", function (err, res, body) {
    if (!err) {
        var resultsObj = JSON.parse(body);
        //Just an example of how to access properties:
        console.log(resultsObj.MRData);
    }
});

我看到了关于使用 JSONP 而不是直接使用 JSON API 的建议。

JSONP 存在的原因是浏览器上的跨域 API。由于您在服务器上运行它,因此跨域限制不是问题,因此不需要 JSONP。无论如何,继续做你想做的事!

编辑:我不确定你为什么不试试这个。如果是为了错误管理,我现在已经用错误管理更新了代码。

于 2012-10-03T20:45:50.730 回答
1

您提供的第一个参数http.get不正确。请参阅有关此功能的node.js 文档。而不是传入options只是将完整的 URL 作为字符串传入,例如

http.get('http://ergast.com/api/f1/current/last/results', function(res) {
...

编辑:编辑后,options论点仍然不正确。如果要使用选项字典,请指定:

{ host: 'ergast.com', port: 80, path: '/api/f1/current/last/results' }
于 2012-10-03T20:46:14.483 回答