0

我有一个可能包含逗号分隔列表的变量。在我的数据库中,我还有一个带有列分隔列表的列。

我知道我可以通过使用在该 db 列中找到一个值FIND_IN_SET(needle, haystack)

但是,如果我的变量包含诸如“a,b,c”之类的列表,我如何检查列表中的至少一项是否与列中的至少一项匹配?这可能吗?

4

2 回答 2

1
SELECT `column_A` REGEXP CONCAT('(,|^)(', REPLACE( `column_B` ,',','|'), ')(,|$)');

SELECT '123,456,789' REGEXP CONCAT('(,|^)(', REPLACE( '1234,456,6789' ,',','|'), ')(,|$)');

这是我的解决方案。

于 2019-02-14T12:57:37.793 回答
0

听起来您可能需要数据库中的一些链接表。如果您达到任何规模,将逗号分隔的列表存储在列中以与其他逗号分隔的列表进行比较会损害您的性能。

我强烈建议您阅读有关链接表(关联实体)的更多信息,以说服您稍微改变数据库设计: https ://en.wikipedia.org/wiki/Associative_entity

要回答有关如何FIND_IN_SET在单个查询中执行多个搜索的问题,您需要动态构建查询。

这是一个基本示例,简单地向您展示如何动态构建查询。请采取适当的措施来防止 SQL 注入 ( http://php.net/manual/en/security.database.sql-injection.php )。

// This is the list you want to search against - for your actual implementation you would use your column name
$haystack_str = '2,4,6,8,10';

// This is the comma separated list you want to use as your needle
$search_str = '1,2,3';

// Break the string apart into separate values
$search_array = explode(',', $search_str);

// Store your query fragments
$query_array = array();

// Loop through each string value you want to use as your needle
foreach ($search_array as $needle) {
    // PLEASE TAKE PRECAUTIONS AGAINST SQL INJECTION !!!
    $query_array[] = sprintf('FIND_IN_SET("%s","%s")', $needle, $haystack_str);
}

// Join all pieces together using OR
$query_str = implode(' OR ', $query_array);

// Show your example query
echo 'SELECT ' . $query_str . ';';

示例:https ://eval.in/867963

这会产生以下查询: SELECT FIND_IN_SET("1","2,4,6,8,10") OR FIND_IN_SET("2","2,4,6,8,10") OR FIND_IN_SET("3","2,4,6,8,10");

如果字符串 str 在由 N 个子字符串组成的字符串列表 strlist 中,则返回 1 到 N 范围内的值。如果 str 不在 strlist 中或 strlist 是空字符串,则返回 0。 https://dev.mysql.com/doc/refman/5.7/en/string-functions.html#function_find-in-set

示例查询将生成1表明您的搜索值之一在您的集合中。

于 2017-09-25T17:12:51.257 回答