MySQL:列包含单词列表中的单词

2022-04-09 00:00:00 sql mysql innodb

我有一个单词列表。让我们假设它们是‘Apple’、‘Orange’和‘Pear’。我在数据库中有这样的行:

------------------------------------------------
|author_id   |  content                        |
------------------------------------------------
| 54         | I ate an apple for breakfast.   |
| 63         | Going to the store.             |
| 12         | Should I wear the orange shirt? |
------------------------------------------------

我正在查找InnoDB表上的查询,该查询将返回第一行和第三行,因为content列包含列表中的一个或多个单词。我知道我可以为我列表中的每个单词查询一次表,并使用LIKE和%通配符,但我想知道是否有针对这种情况的单一查询方法?


解决方案

编辑:

类似以下内容:

SELECT * FROM yourtable WHERE content LIKE '%apple%' OR content LIKE '%orange%'

您可以循环使用单词来创建WHERE子句条件。

例如:

$words = array( 'apple', 'orange' );
$whereClause = '';
foreach( $words as $word) {
   $whereClause .= ' content LIKE "%' . $word . '%" OR';
}

// Remove last 'OR'
$whereClause = substr($whereClause, 0, -2);

$sql = 'SELECT * FROM yourtable WHERE' . $whereClause;

echo $sql;

Output:

SELECT * FROM yourtable WHERE content LIKE "%apple%" OR content LIKE "%orange%" 

相关文章