Merge fccd5be897
into d4654dd7bd
This commit is contained in:
commit
945a4a6aee
|
@ -7,7 +7,7 @@
|
|||
- Enhance: 時刻計算のための基準値を一か所で管理するようにし、パフォーマンスを向上
|
||||
|
||||
### Server
|
||||
-
|
||||
- Enhance: ノート検索プロバイダがsqlLikeの場合に、検索文字列でAND/OR/NOTをpgroonga互換の記法で指定できるように
|
||||
|
||||
|
||||
## 2025.9.0
|
||||
|
|
|
@ -11,12 +11,13 @@ import { bindThis } from '@/decorators.js';
|
|||
import { MiNote } from '@/models/Note.js';
|
||||
import type { NotesRepository } from '@/models/_.js';
|
||||
import { MiUser } from '@/models/_.js';
|
||||
import { sqlLikeEscape } from '@/misc/sql-like-escape.js';
|
||||
import { isUserRelated } from '@/misc/is-user-related.js';
|
||||
import { CacheService } from '@/core/CacheService.js';
|
||||
import { QueryService } from '@/core/QueryService.js';
|
||||
import { IdService } from '@/core/IdService.js';
|
||||
import { LoggerService } from '@/core/LoggerService.js';
|
||||
import { parseSearchString } from '@/misc/search-query.js';
|
||||
import { appendCondToQuery } from '@/misc/sql-note-where.js';
|
||||
import type { Index, MeiliSearch } from 'meilisearch';
|
||||
|
||||
type K = string;
|
||||
|
@ -222,7 +223,9 @@ export class SearchService {
|
|||
if (this.config.fulltextSearch?.provider === 'sqlPgroonga') {
|
||||
query.andWhere('note.text &@~ :q', { q });
|
||||
} else {
|
||||
query.andWhere('LOWER(note.text) LIKE :q', { q: `%${ sqlLikeEscape(q.toLowerCase()) }%` });
|
||||
const searchCondition = parseSearchString(q);
|
||||
this.loggerService.getLogger('SearchService').info('search component: ' + JSON.stringify(searchCondition));
|
||||
appendCondToQuery(searchCondition, query);
|
||||
}
|
||||
|
||||
if (opts.host) {
|
||||
|
|
|
@ -0,0 +1,248 @@
|
|||
/*
|
||||
* SPDX-FileCopyrightText: syuilo and misskey-project
|
||||
* SPDX-License-Identifier: AGPL-3.0-only
|
||||
*/
|
||||
/* eslint-disable no-param-reassign */
|
||||
|
||||
// AND/OR/NOTの使えるノート検索クエリのパーサー。
|
||||
// AND/OR/NOTの記述ルールはほぼpgroonga互換としつつより寛容になっています。すなわち:
|
||||
// - AND条件は単語をスペースで区切るか、+を使う - 例:「ABC DEF」、「ABC+DEF」
|
||||
// - OR条件はORで区切る - 例:「ABC OR DEF」
|
||||
// - NOT条件は-を使う - 例:「ABC-DEF」
|
||||
// - 検索文字列やカッコ内の先頭に-を書いても有効
|
||||
// - 演算子は左結合的だがカッコで優先順位を指定可能 - 例:「ABC OR (DEF AND GHI)」
|
||||
// - ダブルクォートで囲むことで空白文字や演算子を含む単語を指定可能 - 例:「"ABC DEF"」
|
||||
// - バックスラッシュ(\)で記号をエスケープできる
|
||||
// - 検索語中の英字はすべて小文字に変換される
|
||||
// - 無意味な検索要素("" や () など)は直前の演算子も含めて無視される
|
||||
// - カッコの対応が取れていない場合は先頭や末尾にカッコを補って解釈される
|
||||
|
||||
// 検索条件ツリーのデータ構造
|
||||
export type SearchCondition = { type: 'contains'; value: string; } |
|
||||
{ type: 'not_contains'; value: string; } |
|
||||
{ type: 'and'; subConditions: SearchCondition[]; } |
|
||||
{ type: 'or'; subConditions: SearchCondition[]; } |
|
||||
{ type: 'empty'; };
|
||||
|
||||
// ノート検索文字列をパースしてSearchConditionデータ構造に変換する
|
||||
export function parseSearchString(q: string) {
|
||||
const tokenizer = new Tokenizer(q);
|
||||
return parsePartialSearchString(tokenizer, true);
|
||||
}
|
||||
|
||||
// ノート検索文字列またはそのカッコ内の文字列をパースしてSearchConditionデータ構造に変換する
|
||||
// カッコ内を解釈する場合はisRoot=falseを指定する
|
||||
// isRoot=falseの場合、閉じ括弧が見つかった時点で解釈を終了するが、isRoot=trueの場合は過剰な閉じカッコを無視する(=先頭に開きカッコを補って解釈するのだとも言い換えられる)
|
||||
function parsePartialSearchString(
|
||||
tokenizer: Tokenizer,
|
||||
isRoot: boolean): SearchCondition {
|
||||
let currentCondition: SearchCondition = { type: 'empty' };
|
||||
let context: 'and' | 'or' | 'not' = 'and';
|
||||
for (let token = tokenizer.getNext(); token != null; token = tokenizer.getNext()) {
|
||||
if (typeof token === 'object') {
|
||||
switch (token.control) {
|
||||
case '(': {
|
||||
const foundCondition = parsePartialSearchString(
|
||||
tokenizer,
|
||||
/*isRoot = */ false,
|
||||
);
|
||||
currentCondition = joinConditions(currentCondition, foundCondition, context);
|
||||
context = 'and';
|
||||
break;
|
||||
}
|
||||
case ')':
|
||||
if (!isRoot) return currentCondition;
|
||||
else {
|
||||
// ルート階層で閉じ括弧が来た場合は先頭に開き括弧を補って解釈する
|
||||
// = 単にコンテキストをクリアするだけ
|
||||
context = 'and';
|
||||
}
|
||||
break;
|
||||
case 'or':
|
||||
context = 'or';
|
||||
break;
|
||||
case '+':
|
||||
context = 'and';
|
||||
break;
|
||||
case '-':
|
||||
context = 'not';
|
||||
break;
|
||||
}
|
||||
} else {
|
||||
if (token.length === 0) {
|
||||
// 空文字列(""という検索入力で発生する)は無視
|
||||
} else {
|
||||
const foundCondition: SearchCondition = { type: 'contains', value: token };
|
||||
currentCondition = joinConditions(currentCondition, foundCondition, context);
|
||||
}
|
||||
context = 'and';
|
||||
}
|
||||
}
|
||||
return currentCondition; // ルート階層でなければ、閉じ括弧がなかった場合に閉じ括弧を補って解釈したことになる
|
||||
}
|
||||
|
||||
// 検索条件の後ろにAND/OR/NOTいずれかの結合で条件を追加する
|
||||
function joinConditions(
|
||||
left: SearchCondition,
|
||||
right: SearchCondition,
|
||||
context: 'and' | 'or' | 'not'): SearchCondition {
|
||||
if (right.type === 'empty') {
|
||||
return left;
|
||||
}
|
||||
|
||||
// NOTはAND結合の一種
|
||||
const [rightMod, contextMod]: [SearchCondition, 'and' | 'or'] = context === 'not' ? [negate(right), 'and'] : [right, context];
|
||||
|
||||
if (left.type === 'empty') {
|
||||
return rightMod;
|
||||
}
|
||||
|
||||
if (left.type === contextMod) {
|
||||
if (rightMod.type === contextMod) {
|
||||
return concatConditionList(contextMod, left.subConditions, rightMod.subConditions);
|
||||
} else {
|
||||
return concatConditionList(contextMod, left.subConditions, [rightMod]);
|
||||
}
|
||||
} else if (rightMod.type === contextMod) {
|
||||
return concatConditionList(contextMod, [left], rightMod.subConditions);
|
||||
} else {
|
||||
return concatConditionList(contextMod, [left], [rightMod]);
|
||||
}
|
||||
}
|
||||
|
||||
function negate(condition: SearchCondition): SearchCondition {
|
||||
switch (condition.type) {
|
||||
case 'contains':
|
||||
return { type: 'not_contains', value: condition.value };
|
||||
case 'not_contains':
|
||||
return { type: 'contains', value: condition.value };
|
||||
case 'and':
|
||||
return { type: 'or', subConditions: condition.subConditions.map(negate) };
|
||||
case 'or':
|
||||
return { type: 'and', subConditions: condition.subConditions.map(negate) };
|
||||
case 'empty':
|
||||
return condition;
|
||||
}
|
||||
}
|
||||
|
||||
// ANDやOR条件の子条件リストに要素を追加する。このとき冗長な要素は削除する
|
||||
// 冗長とは、AND配下ならば検索語「ABC」があるなら検索語「AB」は不要、
|
||||
// OR配下ならば検索語「AB」があるなら検索語「ABC」は不要ということ
|
||||
function concatConditionList(context: 'and' | 'or', left: SearchCondition[], right: SearchCondition[]): SearchCondition {
|
||||
if (context === 'and') {
|
||||
// ANDの場合は、姉妹条件を包含するような条件は冗長となるので削除する
|
||||
left = left.filter((leftCondition) => !right.some((rightCondition) => covers(leftCondition, rightCondition)));
|
||||
right = right.filter((rightCondition) => !left.some((leftCondition) => covers(rightCondition, leftCondition)));
|
||||
} else {
|
||||
// ORの場合は、姉妹条件に包含されるような条件は冗長となるので削除する
|
||||
left = left.filter((leftCondition) => !right.some((rightCondition) => covers(rightCondition, leftCondition)));
|
||||
right = right.filter((rightCondition) => !left.some((leftCondition) => covers(leftCondition, rightCondition)));
|
||||
}
|
||||
const combined = [...left, ...right];
|
||||
if (combined.length === 1) {
|
||||
return combined[0];
|
||||
} else {
|
||||
return { type: context, subConditions: combined };
|
||||
}
|
||||
}
|
||||
|
||||
// 条件が他の条件の条件を包含しているか(=より弱い条件であるか)
|
||||
function covers(main: SearchCondition, other: SearchCondition): boolean {
|
||||
switch (main.type) {
|
||||
case 'contains':
|
||||
switch (other.type) {
|
||||
case 'contains':
|
||||
return other.value.includes(main.value);
|
||||
case 'and':
|
||||
case 'or':
|
||||
return other.subConditions.every((subCondition) => covers(main, subCondition));
|
||||
}
|
||||
break;
|
||||
case 'not_contains':
|
||||
switch (other.type) {
|
||||
case 'not_contains':
|
||||
return main.value.includes(other.value);
|
||||
case 'and':
|
||||
case 'or':
|
||||
return other.subConditions.every((subCondition) => covers(main, subCondition));
|
||||
}
|
||||
break;
|
||||
case 'and':
|
||||
case 'or':
|
||||
return main.subConditions.every((subCondition) => covers(subCondition, other));
|
||||
}
|
||||
return false;
|
||||
}
|
||||
|
||||
// 検索文字列を分解したトークンの種別:小文字化テキストか、制御か、もう読む文字がないか
|
||||
type Token = string | { control: '-' | '+' | '(' | ')' | 'or'; } | null;
|
||||
|
||||
// 検索文字列をトークンに分解するクラス
|
||||
class Tokenizer {
|
||||
private pos = 0;
|
||||
|
||||
constructor(private readonly q: string) {
|
||||
}
|
||||
|
||||
public getNext(): Token {
|
||||
let inQuote = false;
|
||||
let inEscape = false;
|
||||
let token = '';
|
||||
for (; this.pos < this.q.length; ++this.pos) {
|
||||
const c = this.q[this.pos];
|
||||
switch (c) {
|
||||
case '"':
|
||||
if (inEscape) {
|
||||
token += '"';
|
||||
} else if (inQuote) {
|
||||
++this.pos;
|
||||
return token; // クオート閉じの場合はトークンが「OR」でもりOR制御トークンでなくリテラル「OR」テキストトークンとして返す
|
||||
} else if (token.length > 0) {
|
||||
return token;
|
||||
} else {
|
||||
inQuote = true;
|
||||
}
|
||||
inEscape = false;
|
||||
break;
|
||||
case '\\':
|
||||
if (inEscape) {
|
||||
token += '\\';
|
||||
inEscape = false;
|
||||
} else {
|
||||
inEscape = true;
|
||||
}
|
||||
break;
|
||||
case '(':
|
||||
case ')':
|
||||
case '+':
|
||||
case '-':
|
||||
if (inEscape || inQuote) {
|
||||
token += c;
|
||||
} else if (token.length > 0) {
|
||||
// ここまで読みためているテキストトークンをいったん返してしまう
|
||||
return (token === 'or') ? { control: 'or' } : token;
|
||||
} else {
|
||||
++this.pos;
|
||||
return { control: c };
|
||||
}
|
||||
inEscape = false;
|
||||
break;
|
||||
default:
|
||||
// eslint-disable-next-line no-irregular-whitespace
|
||||
if (inEscape || inQuote || !c.match(/[\s ]/)) {
|
||||
token += c.toLowerCase();
|
||||
} else if (token.length > 0) {
|
||||
// 空白文字。テキストトークンの読み終わり
|
||||
++this.pos;
|
||||
return (token === 'or') ? { control: 'or' } : token;
|
||||
} else {
|
||||
// 先頭の空白や連続した空白の読み飛ばし
|
||||
}
|
||||
inEscape = false;
|
||||
break;
|
||||
}
|
||||
}
|
||||
return token.length === 0 ? null : (token === 'or' && !inQuote) ? { control: 'or' } : token;
|
||||
};
|
||||
}
|
||||
|
|
@ -0,0 +1,74 @@
|
|||
/*
|
||||
* SPDX-FileCopyrightText: syuilo and misskey-project
|
||||
* SPDX-License-Identifier: AGPL-3.0-only
|
||||
*/
|
||||
|
||||
import { type WhereExpressionBuilder, Brackets } from 'typeorm';
|
||||
import { SearchCondition } from './search-query.js';
|
||||
import { sqlLikeEscape } from './sql-like-escape.js';
|
||||
|
||||
// conditionに相当するwhere条件をnoteテーブルのqueryに追加します。
|
||||
// .andWhere() と並べる形で使ってください。.orWhere()と並べて使った場合、意図通りの抽出になる保証はありません。
|
||||
// 条件式としてはデフォルトで LOWER(coalesce(note.cw, '')||note.text) に対するLIKEまたはNOT LIKEを生成するので
|
||||
// これに対してpg_bigmなどでインデックスを設定しておくと高速に検索できます
|
||||
export function appendCondToQuery(
|
||||
condition: SearchCondition,
|
||||
query: WhereExpressionBuilder,
|
||||
targetColumn = 'LOWER(coalesce(note.cw, \'\')||note.text)'): void {
|
||||
let i = 0; // SQL内のパラメータはすべて違えないといけないので連番で生成する
|
||||
|
||||
const appendCondToAndContext = (
|
||||
condition: SearchCondition,
|
||||
query: WhereExpressionBuilder,
|
||||
) => {
|
||||
switch (condition.type) {
|
||||
case 'contains':
|
||||
++i;
|
||||
query.andWhere(`${targetColumn} LIKE :q${i}`, {
|
||||
[`q${i}`]: `%${sqlLikeEscape(condition.value)}%`,
|
||||
});
|
||||
break;
|
||||
case 'not_contains':
|
||||
++i;
|
||||
query.andWhere(`${targetColumn} NOT LIKE :q${i}`, {
|
||||
[`q${i}`]: `%${sqlLikeEscape(condition.value)}%`,
|
||||
});
|
||||
break;
|
||||
case 'and':
|
||||
condition.subConditions.forEach((subCondition) => appendCondToAndContext(subCondition, query));
|
||||
break;
|
||||
case 'or':
|
||||
query.andWhere(
|
||||
new Brackets((qb) => condition.subConditions.forEach(
|
||||
(subCondition) => appendCondToOrContext(subCondition, qb))));
|
||||
break;
|
||||
}
|
||||
};
|
||||
|
||||
const appendCondToOrContext = (
|
||||
condition: SearchCondition,
|
||||
query: WhereExpressionBuilder,
|
||||
) => {
|
||||
switch (condition.type) {
|
||||
case 'contains':
|
||||
++i;
|
||||
query.orWhere(`${targetColumn} LIKE :q${i}`, {
|
||||
[`q${i}`]: `%${sqlLikeEscape(condition.value)}%`,
|
||||
});
|
||||
break;
|
||||
case 'not_contains':
|
||||
++i;
|
||||
query.orWhere(`${targetColumn} NOT LIKE :q${i}`, {
|
||||
[`q${i}`]: `%${sqlLikeEscape(condition.value)}%`,
|
||||
});
|
||||
break;
|
||||
case 'and':
|
||||
query.orWhere(
|
||||
new Brackets((qb) => condition.subConditions.forEach(
|
||||
(subCondition) => appendCondToAndContext(subCondition, qb))));
|
||||
break;
|
||||
}
|
||||
};
|
||||
|
||||
return appendCondToAndContext(condition, query);
|
||||
}
|
|
@ -0,0 +1,226 @@
|
|||
/*
|
||||
* SPDX-FileCopyrightText: syuilo and misskey-project
|
||||
* SPDX-License-Identifier: AGPL-3.0-only
|
||||
*/
|
||||
|
||||
import { describe, expect, test } from '@jest/globals';
|
||||
import { SearchCondition, parseSearchString } from '@/misc/search-query.js';
|
||||
|
||||
describe('misc:search-query', () => {
|
||||
test('simple word', () => {
|
||||
const q = 'word';
|
||||
const condition: SearchCondition = { type: 'contains', value: 'word' };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('simple quoted word', () => {
|
||||
const q = '"word + word - word OR word"';
|
||||
const condition: SearchCondition = { type: 'contains', value: 'word + word - word or word' };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('simple and', () => {
|
||||
const q = 'word1 word2 + word3+word4';
|
||||
const condition: SearchCondition = {
|
||||
type: 'and',
|
||||
subConditions: [
|
||||
{ type: 'contains', value: 'word1' },
|
||||
{ type: 'contains', value: 'word2' },
|
||||
{ type: 'contains', value: 'word3' },
|
||||
{ type: 'contains', value: 'word4' },
|
||||
],
|
||||
};
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('simple or', () => {
|
||||
const q = 'word1 OR word2 OR word3 OR word4';
|
||||
const condition: SearchCondition = {
|
||||
type: 'or',
|
||||
subConditions: [
|
||||
{ type: 'contains', value: 'word1' },
|
||||
{ type: 'contains', value: 'word2' },
|
||||
{ type: 'contains', value: 'word3' },
|
||||
{ type: 'contains', value: 'word4' },
|
||||
],
|
||||
};
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('simple not', () => {
|
||||
const q = 'word1 - word2';
|
||||
const condition: SearchCondition = {
|
||||
type: 'and',
|
||||
subConditions: [
|
||||
{ type: 'contains', value: 'word1' },
|
||||
{ type: 'not_contains', value: 'word2' },
|
||||
],
|
||||
};
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('simple and/or/not - left-associative', () => {
|
||||
const q = 'word1 word2 OR word3 - word4';
|
||||
const condition: SearchCondition = {
|
||||
type: 'and',
|
||||
subConditions: [
|
||||
{ type: 'or', subConditions: [
|
||||
{ type: 'and', subConditions: [
|
||||
{ type: 'contains', value: 'word1' },
|
||||
{ type: 'contains', value: 'word2' },
|
||||
] },
|
||||
{ type: 'contains', value: 'word3' },
|
||||
] },
|
||||
{ type: 'not_contains', value: 'word4' },
|
||||
],
|
||||
};
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('brackets', () => {
|
||||
const q = 'word1 (word2 OR word3)';
|
||||
const condition: SearchCondition = {
|
||||
type: 'and',
|
||||
subConditions: [
|
||||
{ type: 'contains', value: 'word1' },
|
||||
{ type: 'or', subConditions: [
|
||||
{ type: 'contains', value: 'word2' },
|
||||
{ type: 'contains', value: 'word3' },
|
||||
] },
|
||||
],
|
||||
};
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('brackets - nested', () => {
|
||||
const q = 'word1 (word2 OR (word3 -word4))';
|
||||
const condition: SearchCondition = {
|
||||
type: 'and',
|
||||
subConditions: [
|
||||
{ type: 'contains', value: 'word1' },
|
||||
{ type: 'or', subConditions: [
|
||||
{ type: 'contains', value: 'word2' },
|
||||
{ type: 'and', subConditions: [
|
||||
{ type: 'contains', value: 'word3' },
|
||||
{ type: 'not_contains', value: 'word4' },
|
||||
] },
|
||||
] },
|
||||
],
|
||||
};
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('brackets with not', () => {
|
||||
const q = 'word1 -(word2 OR (word3 word4))';
|
||||
const condition: SearchCondition = {
|
||||
type: 'and',
|
||||
subConditions: [
|
||||
{ type: 'contains', value: 'word1' },
|
||||
{ type: 'not_contains', value: 'word2' },
|
||||
{ type: 'or', subConditions: [
|
||||
{ type: 'not_contains', value: 'word3' },
|
||||
{ type: 'not_contains', value: 'word4' },
|
||||
] },
|
||||
],
|
||||
};
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('unclosed brackets', () => {
|
||||
const q = 'word1 (word2 OR word3';
|
||||
const condition: SearchCondition = { type: 'and', subConditions: [
|
||||
{ type: 'contains', value: 'word1' },
|
||||
{ type: 'or', subConditions: [
|
||||
{ type: 'contains', value: 'word2' },
|
||||
{ type: 'contains', value: 'word3' },
|
||||
] },
|
||||
] };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('overclosed brackets', () => {
|
||||
const q = '(word1 OR word2)) word3';
|
||||
const condition: SearchCondition = { type: 'and', subConditions: [
|
||||
{ type: 'or', subConditions: [
|
||||
{ type: 'contains', value: 'word1' },
|
||||
{ type: 'contains', value: 'word2' },
|
||||
] },
|
||||
{ type: 'contains', value: 'word3' },
|
||||
] };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('empty string', () => {
|
||||
const q = '';
|
||||
const condition: SearchCondition = { type: 'empty' };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('empty brackets', () => {
|
||||
const q = 'word1 () word2';
|
||||
const condition: SearchCondition = { type: 'and', subConditions: [
|
||||
{ type: 'contains', value: 'word1' },
|
||||
{ type: 'contains', value: 'word2' },
|
||||
] };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('empty brackets with not', () => {
|
||||
const q = 'word1 -() word2';
|
||||
const condition: SearchCondition = { type: 'and', subConditions: [
|
||||
{ type: 'contains', value: 'word1' },
|
||||
{ type: 'contains', value: 'word2' },
|
||||
] };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('empty brackets with or', () => {
|
||||
const q = 'word1 OR() word2';
|
||||
const condition: SearchCondition = { type: 'and', subConditions: [
|
||||
{ type: 'contains', value: 'word1' },
|
||||
{ type: 'contains', value: 'word2' },
|
||||
] };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('unclosed quoted word', () => {
|
||||
const q = '"word';
|
||||
const condition: SearchCondition = { type: 'contains', value: 'word' };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('escaped characters', () => {
|
||||
const q = 'word\\- word\\+ word\\( word\\\\';
|
||||
const condition: SearchCondition = { type: 'and', subConditions: [
|
||||
{ type: 'contains', value: 'word-' },
|
||||
{ type: 'contains', value: 'word+' },
|
||||
{ type: 'contains', value: 'word(' },
|
||||
{ type: 'contains', value: 'word\\' },
|
||||
] };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('redundant conditions AND', () => {
|
||||
const q = 'abc abc ab';
|
||||
const condition: SearchCondition = { type: 'contains', value: 'abc' };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('redundant conditions OR', () => {
|
||||
const q = 'abc OR abc OR ab';
|
||||
const condition: SearchCondition = { type: 'contains', value: 'ab' };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('redundant conditions complex AND', () => {
|
||||
const q = 'abab (abc OR ab)';
|
||||
const condition: SearchCondition = { type: 'contains', value: 'abab' };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
|
||||
test('redundant conditions complex OR', () => {
|
||||
const q = 'abcde OR (abc ab)';
|
||||
const condition: SearchCondition = { type: 'contains', value: 'abc' };
|
||||
expect(parseSearchString(q)).toStrictEqual(condition);
|
||||
});
|
||||
});
|
Loading…
Reference in New Issue