8

有谁知道如何SELECT WHERE IN在 node-mysql 中使用?

我尝试了下面的代码,但收到以下错误消息:

'You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near ''(`PHP`,`apache`)'' at line 1'

这是我的代码:

whereIn = '(';
for ( var i in tagArray ) {
    if ( i != tagArray.length - 1 ) {
        whereIn += "`" + tagArray[i] + "`,";    
    }else{
        whereIn += "`" + tagArray[i] + "`"; 
    }
}
whereIn += ')';

console.log(whereIn);

client.query(
    'SELECT tag_id FROM tag WHERE tag_name IN ?',
    [whereIn],
    function(err, result, fields) {
        client.destroy();

        if (err) {
            throw err;
        }

        console.log(result);

        res.redirect('/');
    }
);
4

6 回答 6

18

You have to use IN (?) and NOT IN ?.

Any string manipulation may result in a SQL INJECTION backdoor.

于 2015-03-06T09:21:35.670 回答
3

您只需将tagArray值传递给 node-mysql ,它将为您处理其余的:

client.query(
    'SELECT tag_id FROM tag WHERE tag_name IN (?)',
    [tagArray],
    function(err, result, fields) {
        client.destroy();

        if (err) {
            throw err;
        }

        console.log(result);

        res.redirect('/');
    }
);

有关更多信息,请参阅手册中有关如何自动转义不同值的部分:https ://github.com/mysqljs/mysql#escaping-query-values

于 2018-07-30T13:03:06.147 回答
2

您需要引用您的字符串,而不是使用反引号。

whereIn = '(';
for ( var i in tagArray ) {
    if ( i != tagArray.length - 1 ) {
        whereIn += "'" + tagArray[i] + "',";    
    }else{
        whereIn += "'" + tagArray[i] + "'"; 
    }
 }
whereIn += ')';
于 2012-06-14T21:02:11.533 回答
1

对于避免转义值的更安全的解决方案,请使用 ? 像您通常那样做的参数,但是像这样动态地创建参数占位符:

var inlist = '';
for(var i=0; i<ids.length; i++) {
  inlist += '?,';
}
inlist = inlist.substring(0,inlist.length-1);

var sql = 'SELECT a, b, c FROM mytable WHERE id in (' + inlist + ')';

conn.query( sql, ids, function(err, rows) {
  . . .
})
于 2017-06-15T13:47:02.837 回答
0

万一有人在 2021 年寻找答案。

 client.query(
      'SELECT tag_id FROM tag WHERE tag_name IN (?)', 
       [['val1', 'val2']],
       function(err, result, fields) {
    client.destroy();

    if (err) {
        throw err;
    }

    console.log(result);

    res.redirect('/');
}

);

于 2021-02-25T21:39:34.027 回答
-1

一个可行的解决方案:

client.query(
    'SELECT tag_id FROM tag WHERE tag_name IN ?',
    [tagArray],
    function(err, result, fields) {
        client.destroy();

        if (err) {
            throw err;
        }

        console.log(result);

        res.redirect('/');
    }
);

无需手动将 tagArray 括在引号中。它被 mysql 模块转义。

于 2016-10-25T13:50:18.907 回答