node-postgres: how to execute “WHERE col IN ()” query?

后端 未结 7 559
梦毁少年i
梦毁少年i 2020-11-28 06:02

I\'m trying to execute a query like this:

SELECT * FROM table WHERE id IN (1,2,3,4)

The problem is that the list of ids I want to filter ag

相关标签:
7条回答
  • 2020-11-28 06:11

    It looks like you may have been close based on your comment to @ebohlman's answer. You can use WHERE id = ANY($1::int[]). PostgreSQL will convert the array to the type the parameter is cast to in $1::int[]. So here's a contrived example that works for me:

    var ids = [1,3,4]; 
    
    var q = client.query('SELECT Id FROM MyTable WHERE Id = ANY($1::int[])',[ids]);
    
    q.on('row', function(row) {
      console.log(row);
    })
    
    // outputs: { id: 1 }
    //          { id: 3 }
    //          { id: 4 }
    
    0 讨论(0)
  • 2020-11-28 06:11

    Another posible solution is for example for REST API in NODE JS:

    var name = req.body;//Body is a objetc that has properties for example provinces
    var databaseRB = "DATABASENAME"
    var conStringRB = "postgres://"+username+":"+password+"@"+host+"/"+databaseRB; 
    
    var filter_query = "SELECT row_to_json(fc) FROM ( SELECT 'FeatureCollection' As type, array_to_json(array_agg(f)) As features FROM (SELECT 'Feature' As type, ST_AsGeoJSON(lg.geom)::json As geometry, row_to_json((parameters) As properties FROM radiobases As lg WHERE lg.parameter= ANY($1) )As f) As fc";
    
    var client = new pg.Client(conStringRB);
    client.connect();
    var query = client.query(new Query(filter_query,[name.provinces]));
    query.on("row", function (row, result) {
      result.addRow(row);
    });
    query.on("end", function (result) {
     var data = result.rows[0].row_to_json
       res.json({
         title: "Express API",
         jsonData: data
         });
    });
    

    Keep in mind that any type of array can be used

    0 讨论(0)
  • 2020-11-28 06:12

    Another possible solution is to use the UNNEST function like this:

     var ids = [23, 65, 73, 99, 102];
     var strs = ['bar', 'tar', 'far']
     client.query(
       'SELECT * FROM table WHERE id IN(SELECT(UNNEST($1))',
        [ids],  // array of query arguments
        function(err, result) {
           console.log(result.rows);
        }
    );
    client.query(
       'SELECT * FROM table WHERE id IN(SELECT(UNNEST($1))',
        [strs],  // array of query arguments
        function(err, result) {
           console.log(result.rows);
        }
    );
    

    I've used this in a stored procedure and it works fine. Believe it should work also from node-pg code.

    You can read about the UNNEST function here.

    0 讨论(0)
  • 2020-11-28 06:15

    The idea generally:

    var invals = [1,2,3,4], cols = [...fields];
    var setvs = vs => vs.map(v=> '$'+ (values.push(v))  ).join();
    
    var values = [];
    var text = 'SELECT '+ setvs(cols) +' FROM table WHERE id IN (' + setvs(invals) +')';
    
    0 讨论(0)
  • 2020-11-28 06:21

    We've seen this question before on the github issues list. The correct way is to dynamically generate your list of parameters based on the array. Something like this:

    var arr = [1, 2, "hello"];
    var params = [];
    for(var i = 1; i <= arr.length; i++) {
      params.push('$' + i);
    }
    var queryText = 'SELECT id FROM my_table WHERE something IN (' + params.join(',') + ')';
    client.query(queryText, arr, function(err, cb) {
     ...
    });
    

    That way you get the postgres parameterized escaping.

    0 讨论(0)
  • 2020-11-28 06:23

    The best solution I've found has been to use the ANY function with Postgres' array coercion. This lets you match a column with an arbitrary array of values as if you had written out col IN (v1, v2, v3). This is the approach in pero's answer but here I show that the performance of ANY is the same as IN.

    Query

    Your query should look like:

    SELECT * FROM table WHERE id = ANY($1::int[])
    

    That bit at the end that says $1::int[] can be changed to match the type of your "id" column. For example, if the type of your IDs is uuid, you'd write $1::uuid[] to coerce the argument to an array of UUIDs. See here for the list of Postgres datatypes.

    This is simpler than writing code to construct a query string and is safe against SQL injections.

    Example

    With node-postgres, a complete JavaScript example looks like:

    var pg = require('pg');
    
    var client = new pg.Client('postgres://username:password@localhost/database');
    client.connect(function(err) {
      if (err) {
        throw err;
      }
    
      var ids = [23, 65, 73, 99, 102];
      client.query(
        'SELECT * FROM table WHERE id = ANY($1::int[])',
        [ids],  // array of query arguments
        function(err, result) {
          console.log(result.rows);
        }
      );
    });
    

    Performance

    One of the best ways to understand the performance of a SQL query is to look at how the database processes it. The sample table has about 400 rows and a primary key called "id" of type text.

    EXPLAIN SELECT * FROM tests WHERE id = ANY('{"test-a", "test-b"}');
    EXPLAIN SELECT * FROM tests WHERE id IN ('test-a', 'test-b');
    

    In both cases, Postgres reported the same query plan:

    Bitmap Heap Scan on tests  (cost=8.56..14.03 rows=2 width=79)
      Recheck Cond: (id = ANY ('{test-a,test-b}'::text[]))
      ->  Bitmap Index Scan on tests_pkey  (cost=0.00..8.56 rows=2 width=0)
            Index Cond: (id = ANY ('{test-a,test-b}'::text[]))
    

    You might see a different query plan depending on the size of your table, where there's an index, and your query. But for queries like the ones above, ANY and IN are processed the same way.

    0 讨论(0)
提交回复
热议问题