Files
scylladb/utils/like_matcher.cc
Dejan Mircevski 8be147d069 cql3: Handle empty LIKE pattern
Match SQL's LIKE in allowing an empty pattern, which matches only
an empty text field.

Tests: unit (dev)

Signed-off-by: Dejan Mircevski <dejan@scylladb.com>
2019-08-12 19:48:31 +03:00

99 lines
2.8 KiB
C++

/*
* Copyright 2019 ScyllaDB
*/
/*
* This file is part of Scylla.
*
* Scylla is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Scylla is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Scylla. If not, see <http://www.gnu.org/licenses/>.
*/
#include "like_matcher.hh"
#include <boost/locale/encoding.hpp>
#include <string>
namespace {
using std::wstring;
/// Processes a new pattern character, extending re with the equivalent regex pattern.
void process_char(wchar_t c, wstring& re, bool& escaping) {
if (c == L'\\' && !escaping) {
escaping = true;
return;
}
switch (c) {
case L'.':
case L'[':
case L'\\':
case L'*':
case L'^':
case L'$':
// These are meant to match verbatim in LIKE, but they'd be special characters in regex --
// must escape them.
re.push_back(L'\\');
re.push_back(c);
break;
case L'_':
case L'%':
if (escaping) {
re.push_back(c);
} else { // LIKE wildcard.
re.push_back(L'.');
if (c == L'%') {
re.push_back(L'*');
}
}
break;
default:
re.push_back(c);
break;
}
escaping = false;
}
/// Returns a regex string matching the given LIKE pattern.
wstring regex_from_pattern(bytes_view pattern) {
if (pattern.empty()) {
return L"^$"; // Like SQL, empty pattern matches only empty text.
}
using namespace boost::locale::conv;
wstring wpattern = utf_to_utf<wchar_t>(pattern.begin(), pattern.end(), stop);
if (wpattern.back() == L'\\') {
// Add an extra backslash, in case that last character is unescaped. (If it is escaped, the
// extra backslash will be ignored.)
wpattern += L'\\';
}
wstring re;
re.reserve(wpattern.size() * 2); // Worst case: every element is a special character and must be escaped.
bool escaping = false;
for (const wchar_t c : wpattern) {
process_char(c, re, escaping);
}
return re;
}
} // anonymous namespace
like_matcher::like_matcher(bytes_view pattern) :
_re(boost::make_u32regex(regex_from_pattern(pattern), boost::u32regex::basic | boost::u32regex::optimize)) {
}
bool like_matcher::operator()(bytes_view text) const {
return boost::u32regex_match(text.begin(), text.end(), _re);
}