5

我有一个返回多个结果集的 PostgresQL 函数。我可以毫无问题地在 .net 中提取这些结果集(所以我知道我的函数可以正常工作),但是我在使用 node-postgres 时遇到了麻烦。

结果对象返回一个包含 7 个项目的数组,该数组与返回的数据集的数量相匹配。

在 Node 中,7 行中的每一行都只包含一个字符串<unnamed portal 1>

connection.query("BEGIN");
connection.query({text: "SELECT getoperationaldatasetmodel($1)", values : [clientid]}, function(err, results) {


  if (err) {
    connection.query("COMMIT");
    self.pool.release(connection);
    callback(err);
  }
  else {
    var opsDataset = null;
    var rows = results.rows;
    // this returns 7 rows but the rows do not contain data but rather the name of the dataset.
  }

那么:node-postgres 是否支持多个结果集,如果支持,关于如何提取的任何建议?

编辑:如果其他人将来需要使用它,这是我与 node-postgres 一起使用的代码。

// must wrap in a transaction otherwise won't be able to see the multiple sets.
connection.query("BEGIN");
connection.query({text: "SELECT myfunction($1)", values : [clientid]}, function(err, results) {

  if (err) {

     // handle error here
     connection.query("COMMIT;");
  }
  else {

    connection.query('FETCH ALL FROM "<unnamed portal 1>"',  function(err, r1) {
        // r1.rows will contain the data for the first refcursor
    });
    connection.query('FETCH ALL FROM "<unnamed portal 2>"',  function(err, r2) {
        // r2.rows will contain the data for the second refcursor
    });

    // remember to handle the closure of the transaction

});
4

1 回答 1

5

更新:有关如何获取和管理 refcursor 的说明,请参阅这个出色的教程。


由于 node-postgres 无法识别您作为结果集句柄返回的 refcursor,因此它似乎不支持来自 PostgreSQL 的多个结果集。这很公平,因为 PostgreSQL 也不真正支持多个结果集,它们只是用 refcursors 模拟的。

您可以FETCH通过refcursorSQL 级游标命令SQL 级游标命令,尽管它的文档很糟糕。您不需要使用PL/PgSQL游标处理来执行此操作。只是:

FETCH ALL FROM "<unnamed portal 1>";

注意双引号,这很重要。将从您的函数返回的 refcursor 名称替换为<unnamed portal 1>.

另请注意,除非创建了游标,否则创建引用光标的事务必须仍处于打开状态WITH HOLDHOLD事务提交或回滚时关闭非游标。

例如,给定虚拟 refcursor-returning 函数:

CREATE OR REPLACE FUNCTION dummy_cursor_returning_fn() RETURNS SETOF refcursor AS $$
DECLARE
    curs1 refcursor;
    curs2 refcursor;
BEGIN
    OPEN curs1 FOR SELECT generate_series(1,4);
    OPEN curs2 FOR SELECT generate_series(5,8);
    RETURN NEXT curs1;
    RETURN NEXT curs2;
    RETURN;
END;
$$ LANGUAGE 'plpgsql';

...返回一组游标,您可以通过将门户名称传递给来获得结果FETCH,例如:

regress=# BEGIN;
BEGIN
regress=# SELECT dummy_cursor_returning_fn();
 dummy_cursor_returning_fn 
---------------------------
 <unnamed portal 7>
 <unnamed portal 8>
(2 rows)

regress=# FETCH ALL FROM "<unnamed portal 7>";
 generate_series 
-----------------
               1
               2
               3
               4
(4 rows)

regress=# FETCH ALL FROM "<unnamed portal 8>";
 generate_series 
-----------------
               5
               6
               7
               8
(4 rows)

regress=# 
于 2012-08-24T01:05:31.777 回答