diff --git a/README.md b/README.md index 209b495..06dba71 100644 --- a/README.md +++ b/README.md @@ -104,23 +104,30 @@ See [Regex Builder API doc](./docs/API.md#builder) for more info. ### Regex Constructs -| Construct | Regex Syntax | Notes | -| ------------------- | ------------ | ------------------------------- | -| `capture(...)` | `(...)` | Create a capture group | -| `choiceOf(x, y, z)` | `x\|y\|z` | Match one of provided sequences | +| Construct | Regex Syntax | Notes | +| ------------------------- | ------------ | ------------------------------------------- | +| `choiceOf(x, y, z)` | `x\|y\|z` | Match one of provided sequences | +| `capture(...)` | `(...)` | Create a capture group | +| `lookahead(...)` | `(?=...)` | Match subsequent text without consuming it | +| `negativeLookhead(...)` | `(?!...)` | Reject subsequent text without consuming it | +| `lookbehind(...)` | `(?<=...)` | Match preceding text without consuming it | +| `negativeLookbehind(...)` | `(? [!NOTE] +> TS Regex Builder does not have a construct for non-capturing groups. Such groups are implicitly added when required. + ### Quantifiers -| Quantifier | Regex Syntax | Description | -| ----------------------------------------------- | ------------ | -------------------------------------------------------------- | -| `zeroOrMore(x)` | `x*` | Zero or more occurence of a pattern | -| `oneOrMore(x)` | `x+` | One or more occurence of a pattern | -| `optional(x)` | `x?` | Zero or one occurence of a pattern | -| `repeat(x, n)` | `x{n}` | Pattern repeats exact number of times | -| `repeat(x, { min: n, })` | `x{n,}` | Pattern repeats at least given number of times | -| `repeat(x, { min: n, max: n2 })` | `x{n1,n2}` | Pattern repeats between n1 and n2 number of times | +| Quantifier | Regex Syntax | Description | +| -------------------------------- | ------------ | ------------------------------------------------- | +| `zeroOrMore(x)` | `x*` | Zero or more occurence of a pattern | +| `oneOrMore(x)` | `x+` | One or more occurence of a pattern | +| `optional(x)` | `x?` | Zero or one occurence of a pattern | +| `repeat(x, n)` | `x{n}` | Pattern repeats exact number of times | +| `repeat(x, { min: n, })` | `x{n,}` | Pattern repeats at least given number of times | +| `repeat(x, { min: n, max: n2 })` | `x{n1,n2}` | Pattern repeats between n1 and n2 number of times | See [Quantifiers API doc](./docs/API.md#quantifiers) for more info. diff --git a/docs/API.md b/docs/API.md index 1d4ad9b..7ab8ff4 100644 --- a/docs/API.md +++ b/docs/API.md @@ -46,6 +46,20 @@ It optionally accepts a list of regex flags: These functions and objects represent available regex constructs. +### `choiceOf()` + +```ts +function choiceOf( + ...alternatives: RegexSequence[] +): ChoiceOf { +``` + +Regex syntax: `a|b|c`. + +The `choiceOf` (disjunction) construct matches one out of several possible sequences. It functions similarly to a logical OR operator in programming. It can match simple string options as well as complex patterns. + +Example: `choiceOf("color", "colour")` matches either `color` or `colour` pattern. + ### `capture()` ```ts @@ -58,19 +72,56 @@ Regex syntax: `(...)`. Captures, also known as capturing groups, extract and store parts of the matched string for later use. -### `choiceOf()` +> [!NOTE] +> TS Regex Builder does not have a construct for non-capturing groups. Such groups are implicitly added when required. E.g., `zeroOrMore(["abc"])` is encoded as `(?:abc)+`. + +### `lookahead()` ```ts -function choiceOf( - ...alternatives: RegexSequence[] -): ChoiceOf { +function lookahead( + sequence: RegexSequence +): Lookahead ``` -Regex syntax: `a|b|c`. +Regex syntax: `(?=...)`. -The `choiceOf` (disjunction) construct matches one out of several possible sequences. It functions similarly to a logical OR operator in programming. It can match simple string options as well as complex patterns. +Allows for conditional matching by checking for subsequent patterns in regexes without consuming them. -Example: `choiceOf("color", "colour")` matches either `color` or `colour` pattern. +### `negativeLookahead()` + +```ts +function negativeLookahead( + sequence: RegexSequence +): NegativeLookahead +``` + +Regex syntax: `(?!...)`. + +Allows for matches to be rejected if a specified subsequent pattern is present, without consuming any characters. + +### `lookbehind()` + +```ts +function lookbehind( + sequence: RegexSequence +): Lookahead +``` + +Regex syntax: `(?<=...)`. + +Allows for conditional matching by checking for preceeding patterns in regexes without consuming them. + +### `negativeLookbehind()` + +```ts +function negativeLookahead( + sequence: RegexSequence +): NegativeLookahead +``` + +Regex syntax: `(? { + const currencyRegex = buildRegExp([ + isCurrency, + optional(whitespace), + firstThousandsClause, + zeroOrMore(thousandsClause), + optional([decimalSeparator, cents]), + endOfString, + ]); + + expect(currencyRegex).toMatchString('$10'); + expect(currencyRegex).toMatchString('$ 10'); + expect(currencyRegex).not.toMatchString('$ 10.'); + expect(currencyRegex).toMatchString('$ 10'); + expect(currencyRegex).not.toMatchString('$10.5'); + expect(currencyRegex).toMatchString('$10.50'); + expect(currencyRegex).not.toMatchString('$10.501'); + expect(currencyRegex).toMatchString('€100'); + expect(currencyRegex).toMatchString('£1,000'); + expect(currencyRegex).toMatchString('$ 100000000000000000'); + expect(currencyRegex).toMatchString('€ 10000'); + expect(currencyRegex).toMatchString('₿ 100,000'); + expect(currencyRegex).not.toMatchString('10$'); + expect(currencyRegex).not.toMatchString('£A000'); + + expect(currencyRegex).toEqualRegex(/(?<=[$€£¥R₿])\s?\d{1,3}(?:,?\d{3})*(?:\.\d{2})?$/); +}); diff --git a/src/__tests__/example-filename.ts b/src/__tests__/example-filename.ts new file mode 100644 index 0000000..5018b94 --- /dev/null +++ b/src/__tests__/example-filename.ts @@ -0,0 +1,21 @@ +import { buildRegExp, choiceOf, endOfString, negativeLookbehind, oneOrMore } from '../index'; + +const isRejectedFileExtension = negativeLookbehind(choiceOf('js', 'css', 'html')); + +test('example: filename validator', () => { + const filenameRegex = buildRegExp([ + oneOrMore(/[A-Za-z0-9_]/), + isRejectedFileExtension, + endOfString, + ]); + + expect(filenameRegex).toMatchString('index.ts'); + expect(filenameRegex).toMatchString('index.tsx'); + expect(filenameRegex).toMatchString('ind/ex.ts'); + expect(filenameRegex).not.toMatchString('index.js'); + expect(filenameRegex).not.toMatchString('index.html'); + expect(filenameRegex).not.toMatchString('index.css'); + expect(filenameRegex).not.toMatchString('./index.js'); + expect(filenameRegex).not.toMatchString('./index.html'); + expect(filenameRegex).not.toMatchString('./index.css'); +}); diff --git a/src/__tests__/example-password.ts b/src/__tests__/example-password.ts new file mode 100644 index 0000000..94fe462 --- /dev/null +++ b/src/__tests__/example-password.ts @@ -0,0 +1,43 @@ +import { any, buildRegExp, endOfString, lookahead, startOfString, zeroOrMore } from '../index'; + +//^(?=.*[A-Z])(?=.*[a-z])(?=.*\d)(?=.*[^A-Za-z0-9\s]).{8,}$ + +// +// The password policy is as follows: +// - At least one uppercase letter +// - At least one lowercase letter +// - At least one digit +// - At least one special character +// - At least 8 characters long + +const atLeastOneUppercase = lookahead([zeroOrMore(any), /[A-Z]/]); +const atLeastOneLowercase = lookahead([zeroOrMore(any), /[a-z]/]); +const atLeastOneDigit = lookahead([zeroOrMore(any), /[0-9]/]); +const atLeastOneSpecialChar = lookahead([zeroOrMore(any), /[^A-Za-z0-9\s]/]); +const atLeastEightChars = /.{8,}/; + +test('Example: Validating passwords', () => { + const validPassword = buildRegExp([ + startOfString, + atLeastOneUppercase, + atLeastOneLowercase, + atLeastOneDigit, + atLeastOneSpecialChar, + atLeastEightChars, + endOfString, + ]); + + expect(validPassword).toMatchString('Aaaaa$aaaaaaa1'); + expect(validPassword).not.toMatchString('aaaaaaaaaaa'); + expect(validPassword).toMatchString('9aaa#aaaaA'); + expect(validPassword).not.toMatchString('Aa'); + expect(validPassword).toMatchString('Aa$123456'); + expect(validPassword).not.toMatchString('Abba'); + expect(validPassword).not.toMatchString('#password'); + expect(validPassword).toMatchString('#passworD666'); + expect(validPassword).not.toMatchString('Aa%1234'); + + expect(validPassword).toEqualRegex( + /^(?=.*[A-Z])(?=.*[a-z])(?=.*[0-9])(?=.*[^A-Za-z0-9\s])(?:.{8,})$/, + ); +}); diff --git a/src/__tests__/example-url-advanced.ts b/src/__tests__/example-url-advanced.ts new file mode 100644 index 0000000..db13913 --- /dev/null +++ b/src/__tests__/example-url-advanced.ts @@ -0,0 +1,239 @@ +import { + anyOf, + buildRegExp, + capture, + charClass, + charRange, + digit, + endOfString, + negativeLookahead, + oneOrMore, + optional, + repeat, + startOfString, +} from '../index'; + +// URL = Scheme ":"["//" Authority]Path["?" Query]["#" Fragment] +// Source: https://en.wikipedia.org/wiki/URL#External_links + +// The building blocks of the URL regex. +const lowercase = charRange('a', 'z'); +const uppercase = charRange('A', 'Z'); +const hyphen = anyOf('-'); +const alphabetical = charClass(lowercase, uppercase); +const specialChars = anyOf('._%+-'); +const portSeperator = ':'; +const schemeSeperator = ':'; +const doubleSlash = '//'; +const at = '@'; +const pathSeparator = '/'; +const querySeparator = '?'; +const fragmentSeparator = '#'; +const usernameChars = charClass(lowercase, digit, specialChars); +const hostnameChars = charClass(charRange('a', 'z'), digit, anyOf('-')); +const domainChars = charRange('a', 'z'); + +// Scheme: +// The scheme is the first part of the URL and defines the protocol to be used. +// Examples of popular schemes include http, https, ftp, mailto, file, data and irc. +// A URL string must be a scheme, followed by a colon, followed by a scheme-specific part. + +const scheme = [repeat(charClass(hyphen, alphabetical), { min: 3, max: 6 }), optional('s')]; +const schemeRegex = buildRegExp([startOfString, capture(scheme), endOfString], { + ignoreCase: true, +}); + +test('Matching the Schema components.', () => { + expect(schemeRegex).toMatchString('ftp'); + expect(schemeRegex).not.toMatchString('ftp:'); + expect(schemeRegex).not.toMatchString('h'); + expect(schemeRegex).not.toMatchString('nameiswaytoolong'); + expect(schemeRegex).toMatchString('HTTPS'); + expect(schemeRegex).toMatchString('http'); +}); + +// Authority: +// The authority part of a URL consists of three sub-parts: +// 1. An optional username, followed by an at symbol (@) +// 2. A hostname (e.g. www.google.com) +// 3. An optional port number, preceded by a colon (:) +// Authority = [userinfo "@"] host [":" port] + +const userInfo = oneOrMore(usernameChars); +const hostname = repeat(hostnameChars, { min: 1, max: 63 }); +const hostnameEnd = capture([hostname, endOfString]); +const host = capture([oneOrMore([hostname, '.'])]); +const port = [portSeperator, oneOrMore(digit)]; + +const authority = [doubleSlash, optional([userInfo, at]), hostname, optional(port)]; +const authorityRegex = buildRegExp([startOfString, ...authority, endOfString], { + ignoreCase: true, +}); + +const hostEx = buildRegExp([startOfString, host, hostnameEnd, endOfString], { ignoreCase: true }); + +test('match URL hostname component', () => { + expect(hostEx).toMatchString('www.google.com'); + expect(hostEx).not.toMatchString('www.google.com.'); +}); + +test('match URL authority components', () => { + expect(authorityRegex).toMatchString('//davidbowie@localhost:8080'); + expect(authorityRegex).toMatchString('//localhost:1234'); + expect(authorityRegex).not.toMatchString('davidbowie@localhost:1972'); + expect(authorityRegex).not.toMatchString('nameiswaytoolong'); +}); + +// Path: +// The path is the part of the URL that comes after the authority and before the query. +// It consists of a sequence of path segments separated by a forward slash (/). +// A path string must begin with a forward slash (/). + +const pathSegment = [ + pathSeparator, + optional(oneOrMore(charClass(lowercase, uppercase, digit, anyOf(':@%._+~#=')))), +]; + +const path = oneOrMore(pathSegment); +const pathRegex = buildRegExp([startOfString, path, endOfString], { + ignoreCase: true, +}); + +test('match URL Path components.', () => { + expect(pathRegex).toMatchString('/'); + expect(pathRegex).not.toMatchString(''); + expect(pathRegex).toMatchString('/a'); + expect(pathRegex).not.toMatchString('a'); + expect(pathRegex).not.toMatchString('a/'); + expect(pathRegex).toMatchString('/a/b'); + expect(pathRegex).not.toMatchString('a/b'); + expect(pathRegex).not.toMatchString('a/b/'); +}); + +// Query: +// The query part of a URL is optional and comes after the path. +// It is separated from the path by a question mark (?). +// The query string consists of a sequence of field-value pairs separated by an ampersand (&). +// Each field-value pair is separated by an equals sign (=). + +const queryKey = oneOrMore(charClass(lowercase, uppercase, digit, anyOf('_-'))); +const queryValue = oneOrMore(charClass(lowercase, uppercase, digit, anyOf('_-'))); +const queryDelimiter = anyOf('&;'); +const equals = '='; + +const queryKeyValuePair = buildRegExp([queryKey, equals, queryValue]); + +const query = [querySeparator, oneOrMore([queryKeyValuePair, optional(queryDelimiter)])]; +const queryRegex = buildRegExp([startOfString, ...query, endOfString], { + ignoreCase: true, +}); + +test('match URL query components', () => { + expect(queryRegex).not.toMatchString(''); + expect(queryRegex).not.toMatchString('??'); + expect(queryRegex).not.toMatchString('?'); + expect(queryRegex).not.toMatchString('?a-b'); + expect(queryRegex).toMatchString('?a=b'); + expect(queryRegex).toMatchString('?a=b&c=d'); + expect(queryRegex).not.toMatchString('a=b&c-d'); +}); + +// Fragment: +// The fragment part of a URL is optional and comes after the query. +// It is separated from the query by a hash (#). +// The fragment string consists of a sequence of characters. + +const fragment = [ + fragmentSeparator, + oneOrMore(charClass(lowercase, uppercase, digit, anyOf(':@%._+~#=&'))), +]; +const fragmentRegex = buildRegExp([startOfString, ...fragment, endOfString], { + ignoreCase: true, +}); + +test('match URL fragment component', () => { + expect(fragmentRegex).not.toMatchString(''); + expect(fragmentRegex).toMatchString('#section1'); + expect(fragmentRegex).not.toMatchString('#'); +}); + +const urlRegex = buildRegExp( + [ + startOfString, + capture([ + optional(scheme), + schemeSeperator, + optional(authority), + path, + optional(query), + optional(fragment), + ]), + endOfString, + ], + { + ignoreCase: true, + }, +); + +test('match URLs', () => { + expect(urlRegex).not.toMatchString(''); + expect(urlRegex).not.toMatchString('http'); + expect(urlRegex).toMatchString('http://localhost:8080'); + expect(urlRegex).toMatchString('http://localhost:8080/users/paul/research/data.json'); + expect(urlRegex).toMatchString( + 'http://localhost:8080/users/paul/research/data.json?request=regex&email=me', + ); + expect(urlRegex).toMatchString( + 'http://localhost:8080/users/paul/research/data.json?request=regex&email=me#section1', + ); +}); + +const emailRegex = buildRegExp( + [ + startOfString, + capture([ + oneOrMore(usernameChars), + '@', + oneOrMore(hostnameChars), + '.', + repeat(domainChars, { min: 2 }), + ]), + endOfString, + ], + { + ignoreCase: true, + }, +); + +test('match email address', () => { + expect(emailRegex).not.toMatchString(''); + expect(emailRegex).toMatchString('stevenwilson@porcupinetree.com'); + expect(emailRegex).not.toMatchString('stevenwilson@porcupinetree'); +}); + +const urlsWithoutEmailsRegex = buildRegExp( + [ + startOfString, + negativeLookahead(emailRegex), // Reject emails + urlRegex, + endOfString, + ], + { + ignoreCase: true, + }, +); + +test('match URL but not email', () => { + expect(urlsWithoutEmailsRegex).toMatchString('http://localhost:8080'); + expect(urlsWithoutEmailsRegex).toMatchString( + 'http://paul@localhost:8080/users/paul/research/data.json?request=regex&email=me#section1', + ); + expect(urlsWithoutEmailsRegex).toMatchString('ftp://data/#January'); + expect(urlsWithoutEmailsRegex).not.toMatchString('https:'); + expect(urlsWithoutEmailsRegex).not.toMatchString('piotr@riverside.com'); + expect(urlsWithoutEmailsRegex).toMatchString('http://www.google.com'); + expect(urlsWithoutEmailsRegex).toMatchString('https://www.google.com?search=regex'); + expect(urlsWithoutEmailsRegex).not.toMatchString('www.google.com?search=regex&email=me'); + expect(urlsWithoutEmailsRegex).toMatchString('mailto://paul@thebeatles.com'); + expect(urlsWithoutEmailsRegex).not.toMatchString('ftphttpmailto://neal@nealmorse'); +}); diff --git a/src/__tests__/example-url.ts b/src/__tests__/example-url-simple.ts similarity index 100% rename from src/__tests__/example-url.ts rename to src/__tests__/example-url-simple.ts diff --git a/src/constructs/__tests__/lookahead.test.ts b/src/constructs/__tests__/lookahead.test.ts new file mode 100644 index 0000000..c16844e --- /dev/null +++ b/src/constructs/__tests__/lookahead.test.ts @@ -0,0 +1,40 @@ +import { capture } from '../capture'; +import { digit, word } from '../character-class'; +import { lookahead } from '../lookahead'; +import { oneOrMore, zeroOrMore } from '../quantifiers'; + +test('`Positive lookahead` base cases', () => { + expect(lookahead('a')).toEqualRegex(/(?=a)/); + expect([digit, lookahead('abc')]).toEqualRegex(/\d(?=abc)/); + expect(lookahead(oneOrMore('abc'))).toEqualRegex(/(?=(?:abc)+)/); + expect([zeroOrMore(word), lookahead('abc')]).toEqualRegex(/\w*(?=abc)/); +}); + +test('`Positive lookahead` use cases', () => { + expect([oneOrMore(digit), lookahead('$')]).toMatchString('1 turkey costs 30$'); + expect(['q', lookahead('u')]).toMatchString('queen'); + expect(['a', lookahead('b'), lookahead('c')]).not.toMatchString('abc'); + expect(['a', lookahead(capture('bba'))]).toMatchGroups('abba', ['a', 'bba']); +}); + +test('`Positive lookahead` with multiple elements', () => { + expect(lookahead(['a', 'b', 'c'])).toEqualRegex(/(?=abc)/); +}); + +test('`Positive lookahead` with nested constructs', () => { + expect(lookahead(oneOrMore(capture('abc')))).toEqualRegex(/(?=(abc)+)/); + expect(lookahead([zeroOrMore(word), capture('abc')])).toEqualRegex(/(?=\w*(abc))/); +}); + +test('`Positive lookahead` with special characters', () => { + expect(lookahead(['$', capture('abc')])).toEqualRegex(/(?=\$(abc))/); + expect(lookahead(['q', capture('u')])).toEqualRegex(/(?=q(u))/); +}); + +test('`Positive lookahead` with capture group', () => { + expect(lookahead(capture('bba'))).toEqualRegex(/(?=(bba))/); +}); + +test('`Positive lookahead` with digit character class', () => { + expect(lookahead([digit, 'abc'])).toEqualRegex(/(?=\dabc)/); +}); diff --git a/src/constructs/__tests__/lookbehind.test.ts b/src/constructs/__tests__/lookbehind.test.ts new file mode 100644 index 0000000..897b438 --- /dev/null +++ b/src/constructs/__tests__/lookbehind.test.ts @@ -0,0 +1,56 @@ +import { anyOf, digit, whitespace, word } from '../character-class'; +import { lookbehind } from '../lookbehind'; +import { oneOrMore, zeroOrMore } from '../quantifiers'; + +test('` lookbehind` base cases', () => { + expect(lookbehind('a')).toEqualRegex(/(?<=a)/); + expect(lookbehind('abc')).toEqualRegex(/(?<=abc)/); + expect(lookbehind(oneOrMore('abc'))).toEqualRegex(/(?<=(?:abc)+)/); + expect(lookbehind('abc')).toEqualRegex(/(?<=abc)/); +}); + +test('`Positve lookbehind` use cases', () => { + expect([zeroOrMore(whitespace), word, lookbehind('s'), oneOrMore(whitespace)]).toMatchString( + 'too many cats to feed.', + ); + + expect([lookbehind('USD'), zeroOrMore(whitespace), oneOrMore(digit)]).toMatchString( + 'The price is USD 30', + ); + + expect([lookbehind('USD'), zeroOrMore(whitespace), oneOrMore(digit)]).not.toMatchString( + 'The price is CDN 30', + ); + + expect([lookbehind('a'), 'b']).toMatchString('abba'); + + const mjsImport = [lookbehind('.mjs')]; + expect(mjsImport).toMatchString("import {Person} from './person.mjs';"); + expect(mjsImport).not.toMatchString("import {Person} from './person.js';"); + expect([anyOf('+-'), oneOrMore(digit), lookbehind('-')]).not.toMatchString('+123'); +}); + +test('` lookbehind` with multiple elements', () => { + expect(lookbehind(['abc', 'def'])).toEqualRegex(/(?<=abcdef)/); + expect(lookbehind([oneOrMore('abc'), 'def'])).toEqualRegex(/(?<=(?:abc)+def)/); + expect(lookbehind(['abc', oneOrMore('def')])).toEqualRegex(/(?<=abc(?:def)+)/); +}); + +test('` lookbehind` with special characters', () => { + expect(lookbehind(['$', '+'])).toEqualRegex(/(?<=\$\+)/); + expect(lookbehind(['[', ']'])).toEqualRegex(/(?<=\[\])/); + expect(lookbehind(['\\', '\\'])).toEqualRegex(/(?<=\\\\)/); +}); + +test('` lookbehind` with quantifiers', () => { + expect(lookbehind(zeroOrMore('abc'))).toEqualRegex(/(?<=(?:abc)*)/); + expect(lookbehind(oneOrMore('abc'))).toEqualRegex(/(?<=(?:abc)+)/); + expect(lookbehind(['abc', zeroOrMore('def')])).toEqualRegex(/(?<=abc(?:def)*)/); +}); + +test('` lookbehind` with character classes', () => { + expect(lookbehind(word)).toEqualRegex(/(?<=\w)/); + expect(lookbehind(whitespace)).toEqualRegex(/(?<=\s)/); + expect(lookbehind(digit)).toEqualRegex(/(?<=\d)/); + expect(lookbehind(anyOf('abc'))).toEqualRegex(/(?<=[abc])/); +}); diff --git a/src/constructs/__tests__/negative-lookahead.test.ts b/src/constructs/__tests__/negative-lookahead.test.ts new file mode 100644 index 0000000..dcea00e --- /dev/null +++ b/src/constructs/__tests__/negative-lookahead.test.ts @@ -0,0 +1,37 @@ +import { negativeLookahead } from '../negative-lookahead'; +import { oneOrMore, zeroOrMore } from '../quantifiers'; +import { anyOf, digit } from '../character-class'; +import { capture } from '../capture'; + +test('`Negative Lookahead` base cases', () => { + expect(negativeLookahead('a')).toEqualRegex(/(?!a)/); + expect(negativeLookahead('abc')).toEqualRegex(/(?!abc)/); + expect(negativeLookahead(oneOrMore('abc'))).toEqualRegex(/(?!(?:abc)+)/); + expect(oneOrMore(negativeLookahead('abc'))).toEqualRegex(/(?!abc)+/); +}); + +test('`Negative Lookahead` use cases', () => { + expect([negativeLookahead('$'), oneOrMore(digit)]).toMatchString('1 turkey costs 30$'); + expect([negativeLookahead('a'), 'b']).toMatchString('abba'); + expect(['a', negativeLookahead(capture('bba'))]).not.toMatchGroups('abba', ['a', 'bba']); + expect([negativeLookahead('-'), anyOf('+-'), zeroOrMore(digit)]).not.toMatchString('-123'); + expect([negativeLookahead('-'), anyOf('+-'), zeroOrMore(digit)]).toMatchString('+123'); +}); + +test('`Negative Lookahead` with multiple elements', () => { + expect(negativeLookahead(['abc', 'def'])).toEqualRegex(/(?!abcdef)/); + expect(negativeLookahead([oneOrMore('abc'), 'def'])).toEqualRegex(/(?!(?:abc)+def)/); + expect(negativeLookahead(['abc', oneOrMore('def')])).toEqualRegex(/(?!abc(?:def)+)/); +}); + +test('`Negative Lookahead` with special characters', () => { + expect(negativeLookahead(['$', '+'])).toEqualRegex(/(?!\$\+)/); + expect(negativeLookahead(['[', ']'])).toEqualRegex(/(?!\[\])/); + expect(negativeLookahead(['\\', '\\'])).toEqualRegex(/(?!\\\\)/); +}); + +test('`Negative Lookahead` with quantifiers', () => { + expect(negativeLookahead(zeroOrMore('abc'))).toEqualRegex(/(?!(?:abc)*)/); + expect(negativeLookahead(oneOrMore('abc'))).toEqualRegex(/(?!(?:abc)+)/); + expect(negativeLookahead(['abc', zeroOrMore('def')])).toEqualRegex(/(?!abc(?:def)*)/); +}); diff --git a/src/constructs/__tests__/negative-lookbehind.test.ts b/src/constructs/__tests__/negative-lookbehind.test.ts new file mode 100644 index 0000000..2b2e380 --- /dev/null +++ b/src/constructs/__tests__/negative-lookbehind.test.ts @@ -0,0 +1,26 @@ +import { negativeLookbehind } from '../negative-lookbehind'; +import { oneOrMore } from '../quantifiers'; + +test('`Negative Lookbehind` with single character', () => { + expect(negativeLookbehind('a')).toEqualRegex(/(? { + expect(negativeLookbehind('abc')).toEqualRegex(/(? { + expect(negativeLookbehind(oneOrMore('abc'))).toEqualRegex(/(? { + expect(negativeLookbehind('-')).toEqualRegex(/(? - this.utils.matcherHint('toMatchGroups', undefined, undefined, options) + + this.utils.matcherHint('toMatchString', undefined, undefined, options) + '\n\n' + `Expected string: ${this.isNot ? 'not ' : ''}${this.utils.printExpected(expected)}\n` + `Received pattern: ${this.utils.printReceived(receivedRegex.source)}`,