使用 $not 和 $Regex 可查询字段不包含特定字符串的文档,如 db.Collection.find({ description: { $not: /Error/ } });忽略大小写时添加 i 标志,如 /error/i;可结合其他条件组合查询,注意性能影响及 NULL 值处理。

在 MongoDB 中,如果你想查询某个字段不包含特定字符串的文档,可以使用 $not 和 $regex 操作符组合来实现。
基本语法:查询字段不包含某字符串
假设你想查询集合中 description 字段不包含“error”这个字符串的所有文档:
db.collection.find({
description: { $not: /error/ }
})
或者使用 $regex 显式写法:
db.collection.find({
description: { $not: { $regex: ‘error’ } }
})
忽略大小写的不包含查询
如果希望忽略大小写(比如不包含 “Error”、”ERROR” 等),添加 i 标志:
db.collection.find({
description: { $not: /error/i }
})
或等价写法:
db.collection.find({
description: { $not: { $regex: ‘error’, $options: ‘i’ } }
})
多个字段或复杂条件中的应用
你也可以将这种判断用在更复杂的查询中。例如:查找 status 为 “active” 且 log 信息中不包含 “timeout” 的记录:
db.logs.find({
status: “active”,
log: { $not: { $regex: ‘timeout’ } }
})
注意事项
• 正则表达式性能较低,尤其是对大量文本字段进行扫描时,建议配合索引使用(如文本索引或部分索引)。
• 如果只是简单匹配固定字符串,$not + $regex 是最直接的方式。
• 注意字段是否存在,避免 null 值导致意外结果,必要时可加上字段存在性判断:{ description: { $exists: true }, ... }
基本上就这些。MongoDB 不支持像 sql 中的 NOT LIKE 直接语法,但通过 $not 和正则可以灵活实现不包含字符串的查询。操作不复杂但容易忽略大小写和性能问题。