2

我想在 HTML5 网站上接收来自 PostgreSQL 数据库的 JSON。因此,在服务器端,我使用 node-postgres 模块进行数据库连接,并使用 express 模块进行通信。

问题是在 html 中从服务器获取数据时我没有看到任何警报。甚至没有抛出警报。

这就是我的代码到目前为止的样子,对于任何可以提供帮助的人:

服务器端

var express = require('express');
var app = express();

app.get('/data', function(req, res){
   var pg = require('pg'); 

            var conString = "postgres://postgres:postgres2@localhost/spots";

            var client = new pg.Client(conString);
            client.connect(function(err) {
              if(err) {
                res.send('could not connect to postgres');
              }
              client.query('SELECT * from spots_json where id=3276', function(err, result) {
                if(err) {
                 res.send('error running query'); 
                }
                res.set("Content-Type", 'text/javascript'); // i added this to avoid the "Resource interpreted as Script but transferred with MIME type text/html" message
                res.send(JSON.stringify(result.rows[0].json));
                              client.end();
              });
            }); 

});

app.listen(3000);

客户端

<!DOCTYPE html>
<html>
  <head>
    <title>Test</title>
    <meta name="viewport" content="initial-scale=1.0, user-scalable=no"></meta>
    <meta charset="utf-8"></meta>
    <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.4.4/jquery.js" ></script>

    <script>

   $.get('http://localhost:3000/data?callback=?',{}, function(data){
       alert(data.type); 
   },"json");                  

    </script>
  </head>
  <body>
    <div id="map-canvas"></div>
  </body>
</html>

客户端现在执行http://localhost:8888/prueba/prueba.html

我得到一个带有以下响应的js:

"{\"type\":\"Point\",\"coordinates\":[-2.994783,43.389217]}"

响应可以在以下屏幕截图中看到:

https://www.dropbox.com/s/zi4c5pqnbctf548/pantallazo.png

4

1 回答 1

4

result.rows[0].json不是一个对象,它是一个字符串。你不需要stringify它:

res.send(result.rows[0].json);

编辑:

如果您在不同端口上使用两台服务器,则需要使用 JSONP。jQuery 在客户端使这变得简单,但您需要在服务器中实现它(示例):

if(req.query.callback) {
  res.send(req.query.callback + '(' + result.rows[0].json + ');');
} else {
  res.send(result.rows[0].json);
}

顺便说一句,return如果您在其中一个回调中遇到错误,您需要阻止后续代码被执行。

if(err) {
  res.end('error message');
  return;
  // Or shorter: return res.end('error message');
}
于 2013-11-09T11:02:20.843 回答