pg-promise:将函数作为参数传递给func()

时间:2017-01-25 16:05:14

标签: javascript postgresql pg-promise

我正在使用pg-promise访问我们的postgres数据库。我想调用接受几何数据类型(PostGIS)的存储过程foo(geom)。我只有lats / lngs开头,所以我想用postGIS转换它们。

这看起来像这样:

db.func('foo', 'ST_MakePoint(' + location.lat + ', ' + location.lng + ')')
  .then((result) => {
    console.log(bar);
  });

我现在收到错误,抱怨我的几何体无效(转换不会发生)。我确信ST_MakePoint适用于我所拥有的价值观。我猜它在数据库上执行时将其解释为字符串而不是函数调用。

我应该如何传递此参数才能使其正常工作?

1 个答案:

答案 0 :(得分:6)

我是pg-promise;)的作者

与使用pg-promise的常规查询格式不同,您可以通过格式化变量指定格式化模板,在使用方法funcproc时会跳过该格式,因此它们隐含在价值类型。

最优雅的解决方案是使用库支持的Custom Type Formatting,它允许您覆盖任何数据类型并提供自己的格式。

您可以像这样介绍自己的课程Point

function Point(lat, lng) {
    this.lat = +lat;
    this.lng = +lng;
    this.rawType = true; /* use as raw/unescaped value */
    this.toPostgres = p => {
        return 'ST_MakePoint(' + p.lat + ',' + p.lng + ')';
    };
}

然后你可以将它作为常规值传递:

const p = new Point(1, 2);

db.func('foo', r).then(...)

或者,您可以直接执行查询。不要高估方法func,它只执行SELECT * FROM foo,所以你可以这样做:

const p = 'ST_MakePoint(' + lat + ',' + lng + ')';

db.any('SELECT * FROM foo($1:raw)', p).then(...)

:raw - 注入原始/未转义的值。

P.S。将来,不要猜测pg-promise执行的内容,而是尝试使用pg-monitor,或者至少处理event query

更新日期:29/04/2018

更新了Custom Type Formatting的语法,以遵守pg-promise支持的最新内容。

用于包含点的最短语法:

const point = (lat, lng) => ({
    toPostgres: ()=> pgp.as.format('ST_MakePoint($1, $2)', [lat, lng]),
    rawType: true
});

所以你可以简单地传递它:

db.func('foo', point(1, 2))